Slices are descriptors (headers pointing to a backing array), not like arrays which are values. An array value means all its elements.
So in order to copy all the elements from one array into another, you don't need any "special" copy function, you just need to assign the array value.
Seriously, this is all what you need:
var currentarray [8]int = PossibleMoves()
Or you can use short variable declaration and then it's just
currentarray := PossibleMoves()
See this simple example:
var a [8]int
var b = [8]int{1, 2, 3, 4, 5, 6, 7, 8}
fmt.Println(a, b)
a = b
fmt.Println(a, b)
a[0] = 9
fmt.Println(a, b)
Output (try it on the Go Playground):
[0 0 0 0 0 0 0 0] [1 2 3 4 5 6 7 8]
[1 2 3 4 5 6 7 8] [1 2 3 4 5 6 7 8]
[9 2 3 4 5 6 7 8] [1 2 3 4 5 6 7 8]
As you can see, after the assignment (a = b), the a array contains the same elements as the b array.
And the 2 arrays are distinct / independent: modifying an element of a does not modify the array b. We modified a[0] = 9, b[0] still remains 1.