Ruby has each_cons that can be used like this
class Pair
def initialize(left, right)
@left = left
@right = right
end
end
votes = ["a", "b", "c", "d"]
pairs = votes.each_cons(2).map { |vote| Pair.new(*vote) }
p pairs
# [#<Pair @left="a", @right="b">, #<Pair @left="b", @right="c">, #<Pair @left="c", @right="d">]
The same code in swift, but without the each_cons
function
struct Pair {
let left: String
let right: String
}
let votes = ["a", "b", "c", "d"]
var pairs = [Pair]()
for i in 1..<votes.count {
let left = votes[i-1]
let right = votes[i]
pairs.append(Pair(left: left, right: right))
}
print(pairs)
// [Pair(left: "a", right: "b"), Pair(left: "b", right: "c"), Pair(left: "c", right: "d")]
How can this swift code be made shorter or simpler?
zip(votes, votes.dropFirst())
This produces a sequence of tuples.
struct Pair {
let left: String
let right: String
}
let votes = ["a", "b", "c", "d"]
let pairs = zip(votes, votes.dropFirst()).map {
Pair(left: $0, right: $1)
}
print(pairs)
// [Pair(left: "a", right: "b"), Pair(left: "b", right: "c"), Pair(left: "c", right: "d")]
This is the general solution I came up with, but it seems sort of horribly inefficient. To implement each_cons(n)
, set my clump
to n
:
let arr = [1,2,3,4,5,6,7,8]
let clump = 2
let cons : [[Int]] = arr.reduce([[Int]]()) {
memo, cur in
var memo = memo
if memo.count == 0 {
return [[cur]]
}
if memo.count < arr.count - clump + 1 {
memo.append([])
}
return memo.map {
if $0.count == clump {
return $0
}
var arr = $0
arr.append(cur)
return arr
}
}
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With