One of the first things I heard about Go that sounded interesting is that it has only one way to create loops. Go only provides the for statement. This sounds a little weird, but the truth is that they just decided to use the for keyword for while loops instead of having a separate while keyword. Lets see an example:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
package main

import (
  "fmt"
)

func main() {
  people := []string{"Hugo", "Paco", "Luis"}

  // Like a for
  numPeople := len(people)
  for i := 0; i < numPeople; i++ {
    fmt.Println(people[i])
  }

  // Like a while
  numPeople = len(people)
  i := 0
  for i < numPeople {
    fmt.Println(people[i])
    i++
  }
}

You can see in line 12 that you can use the for loop as you are used to. Having the initialization followed by the condition to stay in the loop and then an expression that is executed after the loop.

In line 19 you can see that only the condition is given. In this case it behaves like a while.

Another useful structure Iā€™m used to is the foreach, which allows you to loop through all elements in an array. You can use the for loop combined with a range to do the same thing:

1
2
3
4
5
6
7
8
9
10
11
12
13
package main

import (
  "fmt"
)

func main() {
  people := []string{"Hugo", "Paco", "Luis"}

  for _, val := range people {
    fmt.Println(val)
  }
}

All the examples I showed have the same effect. They print the names in the people slice.

[ golang  programming  ]
Google sign-in with Golang
Dealing with Firestore 10 limit when using IN operator
Introduction to Golang modules
Using testify for Golang tests
Unit testing Golang code