package main
import (
    "fmt"
    "math/rand"
)
func randoms() *[]int {
  var nums []int = make([]int, 5, 5) //Created slice with fixed Len, cap
  fmt.Println(len(nums))
  for i := range [5]int{} {//Added random numbers.
     nums[i] = rand.Intn(10)
  }
  return &nums//Returning pointer to the slice
}
func main() {
    fmt.Println("Hello, playground")
    var nums []int = make([]int, 0, 25)
    for _ = range [5]int{} {//Calling the functions 5 times
       res := randoms() 
       fmt.Println(res)
       //nums = append(nums, res)
       for _, i := range *res {//Iterating and appending them
         nums = append(nums, i)
       }
    }
    fmt.Println(nums)
}
I am trying to mimic my problem. I have dynamic number of function calls i.e randoms and dynamic number of results. I need to append all of the results i.e numbers in this case.
I am able to do this with iteration and no issues with it. I am looking for a way to do something like nums = append(nums, res). Is there any way to do this/any built-in methods/did I misunderstand the pointers?
 
    