for example, a Java for-loop:
for(int i=0; i<5; i+=1){
   //
}
convert to Swift
for index in 0..<5 {
}
but what if i+=2?
I'm new to Swift.. Maybe it's a stupid question, but will be appreciate if you answer it, thx! :-)
for example, a Java for-loop:
for(int i=0; i<5; i+=1){
   //
}
convert to Swift
for index in 0..<5 {
}
but what if i+=2?
I'm new to Swift.. Maybe it's a stupid question, but will be appreciate if you answer it, thx! :-)
 
    
    Check this
for index in stride(from: 0, to: 5, by: 2){
    print(index)
}
 
    
    You can use this way as well.
var first = 0
var last = 10
var add = 2
for i in sequence(first: first, next: { $0 + add })
.prefix(while: { $0 <= last }) {
    print(i)
} 
Output will be: 0,2,4,6,8,10
 
    
    In case if your for loop was doing something more complex than adding constant value to index each iteration you may use something like that:
Assuming you have this for loop:
for(index = initial; condition(index); mutation(index)){
   //
}
Where
initial — initial value constant of type Tcondition — function (T) -> Bool, that checks if loop should endmutation — function (T) -> T, that changes index value each iterationThen it will be:
for index in sequence(first: initial, next: { current in
    let next = mutation(current)
    return condition(next) ? next : nil
}) {
   //
}
