- Go - 错误处理
- Go - Interfaces
- Go - 类型转换
- Go - 递归
- Go - Maps
- Go - 范围
- Go - 切片
- Go - 结构
- Go - 指针
- Go - 数组
- Go - 字符串
- Go - 作用域
- Go - 函数
- Go - 循环
- Go - 条件判断
- Go - 操作符
- Go - 常量
- Go - 变量
- Go - 数据类型
- Go - 基本语法
- Go - 程序结构
- Go - 环境设置
- Go - 概述
- Go - Home
Go Useful Resources
Selected Reading
- Who is Who
- Computer Glossary
- HR Interview Questions
- Effective Resume Writing
- Questions and Answers
- UPSC IAS Exams Notes
Go - 指针
=
go中的指针既简单又有趣。有些Go编程任务使用指针更容易执行,而其他任务,如引用调用,如果不使用指针就无法执行。因此,学习指针成为一名完美的围棋程序员变得很有必要。
正如您所知,每个变量都是一个内存位置,每个内存位置都定义了其地址,可以使用“与”(&)运算符访问,该运算符表示内存中的地址。考虑以下示例,该示例将打印定义的变量的地址−
package main import "fmt" func main() { var a int = 10 fmt.Printf("Address of a variable: %x ", &a ) }
When the above code is compiled and executed, it produces the following result −
Address of a variable: 10328000
所以您了解了什么是内存地址以及如何访问它。现在让我们看看指针是什么.
指针是什么?
指针是一个变量,其值是另一个变量的地址,即内存位置的直接地址。与任何变量或常量一样,在使用指针存储任何变量地址之前,必须声明指针。指针变量声明的一般形式是−
var var_name *var-type
这里,type是指针的基本类型;它必须是有效的C数据类型,并且var name是指针变量的名称。用于声明指针的星号*与用于乘法的星号相同。然而,在本语句中,星号用于将变量指定为指针。以下是有效的指针声明−
var ip *int /* pointer to an integer */ var fp *float32 /* pointer to a float */
所有指针值的实际数据类型,无论是整数、浮点还是其他,都是相同的,是一个表示内存地址的长十六进制数。不同数据类型的指针之间的唯一区别是指针所指向的变量或常量的数据类型。
如何使用指针?
有一些重要的操作,我们经常使用指针执行:(a)定义指针变量,(b)将变量的地址分配给指针,以及(c)访问指针变量中存储的地址处的值。
所有这些操作都是使用一元运算符*执行的,该运算符返回位于其操作数指定地址的变量的值。以下示例演示了如何执行这些操作-
package main import "fmt" func main() { var a int = 20 /* actual variable declaration */ var ip *int /* pointer variable declaration */ ip = &a /* store address of a in pointer variable*/ fmt.Printf("Address of a variable: %x ", &a ) /* address stored in pointer variable */ fmt.Printf("Address stored in ip variable: %x ", ip ) /* access the value using the pointer */ fmt.Printf("Value of *ip variable: %d ", *ip ) }
When the above code is compiled and executed, it produces the following result −
Address of var variable: 10328000 Address stored in ip variable: 10328000 Value of *ip variable: 20
Nil Pointers in Go
Go编译器为指针变量分配一个Nil值,以防您没有要分配的确切地址。这是在变量声明时完成的。被赋值为nil的指针称为nil指针。
nil指针是在几个标准库中定义的值为零的常量。考虑以下程序−
package main import "fmt" func main() { var ptr *int fmt.Printf("The value of ptr is : %x ", ptr ) }
When the above code is compiled and executed, it produces the following result −
The value of ptr is 0
在大多数操作系统上,程序不允许访问地址为0的内存,因为该内存是由操作系统保留的。然而,存储器地址0具有特殊的意义;它用信号表示指针不打算指向可访问的存储器位置。但按照惯例,如果指针包含nil(零)值,则假定它不指向任何值。
要检查nil指针,可以使用if语句,如下所示−
if(ptr != nil) /* succeeds if p is not nil */ if(ptr == nil) /* succeeds if p is null */
Go Pointers in Detail
指针有很多但很简单的概念,它们对Go编程非常重要。Go程序员应该清楚以下指针的概念——
Sr.No | Concept & Description |
---|---|
1 |
您可以定义数组来容纳多个指针。 |
2 |
Go允许您将指针放在指针上,依此类推。 |
3 |
通过引用或地址传递参数都可以使被调用函数在调用函数中更改传递的参数。 |
Advertisements
=