Go unsafe Pointer
Go被设计为一种强类型的静态语言,强类型意味着类型一旦确定就无法更改,静态意味着类型检查在运行前就做了。
指针类型转换
为了安全考虑,两个不同类型的指针不能相互转换,例如:
package mainfunc main() {i := 10ip := &ivar fp *float64 = (*float64)(ip)//会提示 Cannot convert an expression of the type '*int' to the type '*float64' 无法进行强制类型转换
}
如果非要进行转换,可以使用unsafe
包中的Pointer
。
Pointer
unsafe.Pointer
是一种特殊意义的指针。
package mainimport ("fmt""unsafe"
)func main() {i := 10ip := &ifp := (*float64)(unsafe.Pointer(ip))*fp = *fp * 3fmt.Println(i)
}
//output: 30
所以,使用unsafe.Pointer
这个指针,我们可以在*T之间做任何转换。可以看到Pointer
是一个 *int
。
type ArbitraryType int
type Pointer *ArbitraryType
我们可以看下关于unsafe.Pointer
的四个原则:
- 任何指针都可以转换为
unsafe.Pointer
;unsafe.Pointer
可以转换为任何指针;uintptr
可以转换为unsafe.Pointer
;unsafe.Pointer
可以转换为uintptr
;
对于后面两个规则,我们知道*T
是不能计算偏移量的,也不能进行计算。但是uintptr
可以,我们可以把指针转换为uintptr
再进行偏移计算,这样就可以访问特定的内存了,例如:
type user struct {name stringage int
}func main() {u := new(user)fmt.Println(*u)pName := (*string)(unsafe.Pointer(u))*pName = "demo"pAge := (*int)(unsafe.Pointer(uintptr(unsafe.Pointer(u)) + unsafe.Offsetof(u.age)))*pAge = 20fmt.Println(*u)
}
// output: {0}
// {demo 20}
最后
unsafe
是不安全的,应该尽量少的去使用。
Package unsafe contains operations that step around the type safety of Go programs.
Packages that import unsafe may be non-portable and are not protected by the Go 1 compatibility guidelines.