web-dev-qa-db-ja.com

Golangでスライスのメモリアドレスを出力する方法

私はCの経験があり、golangはまったくの初心者です。

func learnArraySlice() {
  intarr := [5]int{12, 34, 55, 66, 43}
  slice := intarr[:]
  fmt.Printf("the len is %d and cap is %d \n", len(slice), cap(slice))
  fmt.Printf("address of slice 0x%x add of Arr 0x%x \n", &slice, &intarr)
}

Golangスライスには、配列の参照が含まれています。これには、スライスの配列lenとスライスのキャップへのポインターが含まれますが、このスライスもメモリに割り当てられ、そのメモリのアドレスを出力します。しかし、それはできません。

17
user2383973

http://golang.org/pkg/fmt/

fmt.Printf("address of slice %p add of Arr %p \n", &slice, &intarr)

%pはアドレスを出力します。

32
seong

スライスとその要素はアドレス可能です。

s := make([]int, 10)
fmt.Printf("Addr of first element: %p\n", &s[0])
fmt.Printf("Addr of slice itself:  %p\n", &s)
10
Volker

スライスの基になる配列と配列のアドレス(例では同じです)、

package main

import "fmt"

func main() {
    intarr := [5]int{12, 34, 55, 66, 43}
    slice := intarr[:]
    fmt.Printf("the len is %d and cap is %d \n", len(slice), cap(slice))
    fmt.Printf("address of slice %p add of Arr %p\n", &slice[0], &intarr)
}

出力:

the len is 5 and cap is 5 
address of slice 0x1052f2c0 add of Arr 0x1052f2c0
4
peterSO