Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Are dynamic variables supported?

I was wondering if it is possible to dynamically create variables in Go?

I have provided a pseudo-code below to illustrate what I mean. I am storing the newly created variables in a slice:

func method() {
  slice := make([]type)
  for(i=0;i<10;i++)
  {
    var variable+i=i;
    slice := append(slice, variablei)
  }
}

At the end of the loop, the slice should contain the variables: variable1, variable2...variable9

like image 907
sSmacKk Avatar asked Jan 15 '14 20:01

sSmacKk


1 Answers

Go has no dynamic variables. Dynamic variables in most languages are implemented as Map (Hashtable).

So you can have one of following maps in your code that will do what you want

var m1 map[string]int 
var m2 map[string]string 
var m3 map[string]interface{}

here is Go code that does what you what

http://play.golang.org/p/d4aKTi1OB0

package main

import "fmt"


func method() []int {
  var  slice []int 
  for i := 0; i < 10; i++  {
    m1 := map[string]int{}
    key := fmt.Sprintf("variable%d", i)
    m1[key] = i
    slice = append(slice, m1[key])
  }
  return slice
}

func main() {
    fmt.Println(method())
}
like image 155
Max Avatar answered Oct 19 '22 16:10

Max