Go语言之常量

2023-10-30 15:16:45 浏览数 (1)

一、Go语言中const常量

Go语言的常量关键字是const,用于存储不会改变的数值,定义的格式为:

const valueName type = value或者const valueName = value

代码语言:javascript复制
  const a = "abc"
  const b string = "Hello"

Go里面常量,具有常量的基本特质,不能修改。原因是:常量的数值在编译阶段就已经确定了,运行时不能够修改。例子如下:

代码语言:javascript复制
package main


import (
  "fmt"
)


func main() {
  const a = "abc"
  const b string = "Hello"
  a = "Word"
  fmt.Println("Hello, playground:",a,b)
}
output:./prog.go:10:4: cannot assign to a

另外,Go语言的常量在试图打印地址的时候,也会编译出错,原因是Go语言中并没有*const这种数据类型。

代码语言:javascript复制
package main


import (
  "fmt"
)


func main() {
  const a = "abc"
  const b string = "Hello"
  
  fmt.Println("Hello, playground:",&a,b)
}
output:./prog.go:11:35: cannot take the address of a

Go 语言中的常量定义会有一些默认的规则,主要有:

1.定义常量时必须有值。

2.常量组中如果不对常量赋值的话,常量的值与上面一个是一致的。

3.常量与iota混用的话,iota会从0开始计数,多一个常量就会增加1。

例子如下:

代码语言:javascript复制
package main


import (
  "fmt"
)


func main() {
  const (
    a = 2
    b // b=2
    c = 5
    d // d=5
    e // e=5
  )
  fmt.Println("Hello, playground:", a, b, c, d, e)


  const (
    f = 1
    g = 1
    h = iota // 前面有2个常量所以这里h =2
    i // i 在h之后,也会自动 1
    j // 同理与j,自动 1
    k = 10
    l = iota // iota 并不会因为上面的k值变化,而变化依然是6
  )
  fmt.Println("Hello, playground:", f, g, h, i ,j, k, l)
}
output: 
Hello, playground: 2 2 5 5 5
Hello, playground: 1 1 2 3 4 10 6

二、C 中const常量

C 中的const常量,表示的是不可以更改数据的值。具有下面几个特点:

1.具体实现方式是,在编译阶段,编译器就把const修饰的常量放入符号表中,在运行阶段使用该常量的时候,直接从符号表中取出该值即可。

2.const修饰的常量,还是有地址的,并且该地址里面的数值也是可以更改的(备注:这里指的是局部变量里面的const常量)。

3.const修饰的全局变量和static变量存储在全局的只读空间中,这时候的地址,在运行阶段不可以更改,因为只读内存被修改的话,会直接crash。

例子如下:

代码语言:javascript复制
#include <iostream>
using namespace std;


int main() 
{
    const int a = 10;
    int* p = (int*)(&a);
    *p = 20;
    cout<<"&a:"<<&a<<" a:"<<a<<endl; // a的值是从符号表里面直接读出来的,所以还是10。
    cout<<" p:"<<p<<"*p:"<<*p<<endl; // *p的值,是修改内存之后的值,源于内存,所以是20。
    return 0;
}
output:
&a:0xffcc93d4 a:10
 p:0xffcc93d4*p:20

参考文档

go 速学 - 04 - 常量,操作符与指针:[https://studygolang.com/articles/3019](https://studygolang.com/articles/3019)

4.3. 常量:[https://learnku.com/docs/the-way-to-go/constant/3584](https://learnku.com/docs/the-way-to-go/constant/3584)

C const分析:[https://segmentfault.com/a/1190000015778157](https://segmentfault.com/a/1190000015778157)

0 人点赞