Golang : Populate slice with sequential integers example




Helping out a friend here, putting the code example down here for future references. Basically, he needs to generate a slice with sequential integers such as [1,2,3,4,5] and also need to generate slice that have negative numbers such as [2,1,0,-1,-2,-3,-4,-5].

The code that follows is self-explanatory. Here you go!


 package main

 import (
 "fmt"
 )

 func sequentialInt(start, end int) []int {
 var size int
 // check if end > start
 if end > start {
 size = end - start
 size = size + 1 // because counting starts from 0
 intSlice := make([]int, size)

 for i := 0; i < len(intSlice); i++ {
 intSlice[i] = start + i
 }
 return intSlice

 } else {
 size = start - end
 size = size + 1 // plus 1 because counting starts from 0
 intSlice := make([]int, size)

 for i := 0; i < len(intSlice); i++ {
 intSlice[i] = start - i
 }
 return intSlice
 }

 }

 func main() {
 numbers := sequentialInt(0, 10)
 fmt.Println(numbers)

 numbers2 := sequentialInt(-10, 5)
 fmt.Println(numbers2)

 // test for reverse order
 numbers3 := sequentialInt(9, -11)
 fmt.Println(numbers3)

 }

Output:

[0 1 2 3 4 5 6 7 8 9 10]

[-10 -9 -8 -7 -6 -5 -4 -3 -2 -1 0 1 2 3 4 5]

[9 8 7 6 5 4 3 2 1 0 -1 -2 -3 -4 -5 -6 -7 -8 -9 -10 -11]

Happy coding!

References:

https://www.socketloop.com/tutorials/golang-generate-random-integer-or-float-number

  See also : Golang : Generate random string





By Adam Ng

IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.


Advertisement