1
0
mirror of https://github.com/vlang/v.git synced 2023-08-10 21:13:21 +03:00

docs: document for v in low..high { (#5949)

This commit is contained in:
Nick Treleaven 2020-07-23 17:55:35 +01:00 committed by GitHub
parent b7bdb97f7d
commit 582338ab79
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23

View File

@ -695,7 +695,9 @@ V optimizes such expressions, so both `if` statements above produce the same mac
### For loop
V has only one looping construct: `for`.
V has only one looping keyword: `for`, with several forms.
#### Array `for`
```v
numbers := [1, 2, 3, 4, 5]
@ -708,8 +710,8 @@ for i, name in names {
} // 1) Peter
```
The `for value in` loop is used for going through elements of an array.
If an index is required, an alternative form `for index, value in` can be used.
The `for value in arr` form is used for going through elements of an array.
If an index is required, an alternative form `for index, value in arr` can be used.
Note, that the value is read-only. If you need to modify the array while looping, you have to use indexing:
@ -722,6 +724,19 @@ println(numbers) // [1, 2, 3]
```
When an identifier is just a single underscore, it is ignored.
#### Range `for`
```v
// Prints '01234'
for i in 0..5 {
print(i)
}
```
`low..high` means an *exclusive* range, which represents all values
from `low` up to *but not including* `high`.
#### Condition `for`
```v
mut sum := 0
mut i := 0
@ -733,15 +748,15 @@ println(sum) // "5050"
```
This form of the loop is similar to `while` loops in other languages.
The loop will stop iterating once the boolean condition evaluates to false.
Again, there are no parentheses surrounding the condition, and the braces are always required.
#### Bare `for`
```v
mut num := 0
for {
num++
num += 2
if num >= 10 {
break
}
@ -751,8 +766,10 @@ println(num) // "10"
The condition can be omitted, resulting in an infinite loop.
#### C `for`
```v
for i := 0; i < 10; i++ {
for i := 0; i < 10; i += 2 {
// Don't print 6
if i == 6 {
continue