English 中文(简体)
Go - 作用域
  • 时间:2024-11-03

Go - 作用域规则



任何编程中的作用域都是程序的一个区域,在该区域中可以存在定义的变量,而在该区域之外则不能访问该变量。Go编程语言中有三个地方可以声明变量−

函数或块内部(局部变量)

在所有函数之外(全局变量)

在函数参数(形式参数)的定义中

让我们找出哪些是局部变量和全局变量,哪些是形式参数。

Local Variables

在函数或块中声明的变量称为局部变量。它们只能由该函数或代码块内部的语句使用。局部变量对于自身之外的函数来说是未知的。以下示例使用局部变量。这里所有的变量a、b和c都是main()函数的局部变量。


package main

import "fmt"

func main() {
   /* local variable declaration */
   var a, b, c int 

   /* actual initiapzation */
   a = 10
   b = 20
   c = a + b

   fmt.Printf ("value of a = %d, b = %d and c = %d
", a, b, c)
}

When the above code is compiled and executed, it produces the following result −

value of a = 10, b = 20 and c = 30

Global Variables

全局变量是在函数之外定义的,通常在程序的顶部。全局变量在程序的整个生命周期中都保持其值,并且可以在为程序定义的任何函数中访问它们。

任何函数都可以访问全局变量。也就是说,全局变量在声明之后可以在整个程序中使用。以下示例同时使用全局和局部变量−


package main

import "fmt"
 
/* global variable declaration */
var g int
 
func main() {
   /* local variable declaration */
   var a, b int

   /* actual initiapzation */
   a = 10
   b = 20
   g = a + b

   fmt.Printf("value of a = %d, b = %d and g = %d
", a, b, g)
}

When the above code is compiled and executed, it produces the following result −

value of a = 10, b = 20 and g = 30

程序可以对局部变量和全局变量使用相同的名称,但函数内部的局部变量的值优先。例如−

package main

import "fmt"
 
/* global variable declaration */
var g int = 20
 
func main() {
   /* local variable declaration */
   var g int = 10
 
   fmt.Printf ("value of g = %d
",  g)
}

When the above code is compiled and executed, it produces the following result −

value of g = 10

Formal Parameters

在该函数中,形式参数被视为局部变量,并且它们优先于全局变量。例如−

package main

import "fmt"
 
/* global variable declaration */
var a int = 20;
 
func main() {
   /* local variable declaration in main function */
   var a int = 10
   var b int = 20
   var c int = 0

   fmt.Printf("value of a in main() = %d
",  a);
   c = sum( a, b);
   fmt.Printf("value of c in main() = %d
",  c);
}
/* function to add two integers */
func sum(a, b int) int {
   fmt.Printf("value of a in sum() = %d
",  a);
   fmt.Printf("value of b in sum() = %d
",  b);

   return a + b;
}

When the above code is compiled and executed, it produces the following result −

value of a in main() = 10
value of a in sum() = 10
value of b in sum() = 20
value of c in main() = 30

Initiapzing Local and Global Variables

局部变量和全局变量被初始化为它们的默认值,即0;而指针被初始化为零。

Data Type Initial Default Value
int 0
float32 0
pointer nil