zoukankan      html  css  js  c++  java
  • 【Go Time】Go语言 make 与new 的区别

    new 函数

    在官方文档中,new函数的描述如下

    // The new built-in function allocates memory. The first argument is a type,
    // not a value, and the value returned is a pointer to a newly
    // allocated zero value of that type.
    func new(Type) *Type

    可以看到,new只能传递一个参数,该参数 为一个任意类型,可以是GO语言内建的类型,也可以是你自定义的类型。

    那么new函数到底做了哪些事呢?

    • 分配内存
    • 设置零值
    • 返回指针(重要)

    如下:

    import "fmt"
    
    type Student struct {
        name string
        age int
    }
    
    func main() {
        // new 一个内建类型
        num := new(int)
        fmt.Println(*num) // 打印值为:0
        
        // new 一个自定义类型
        s := new(Student)
        s.name = "EricZhou"
    }
    

    make 函数

    在官方文档中,make 函数的描述如下:

    //The make built-in function allocates and initializes an object
    //of type slice, map, or chan (only). Like new, the first argument is
    // a type, not a value. Unlike new, make's return type is the same as
    // the type of its argument, not a pointer to it.

    func make(t Type, size …IntegerType) Type

    翻译:

    1. 内建函数 make 用来为 slice,map 或 chan 类型(注意:也只能用在这三种类型上)分配内存和初始化一个对象
    2. make 返回类型的本身而不是指针,而返回值也依赖于具体传入的类型,因为这三种类型(slice, map 和 chan)本身就是引用类型,所以就没有必要返回他们的指针了。

    由于这三种类型都是引用类型,所以必须得初始化(size 和 cap),但是不是值为零,这个和 new 是不一样的。

    如下:

    // 切片
    a := make([]int,2,10)
    
    // 字典
    b := make(map[string]int)
    
    // 通道
    c := make(chan int,10)
    

    总结

    new: 为所有的类型分配内存,并初始化值为零,返回指针。

    make:只能为slice、map、chan 分配内存,并初始化,返回的是类型。

    另外,目前来看 new 函数并不常用,大家更喜欢使用短句声明的方式,比如以下:

    a := new(int)
    a = 1
    // 等价于
    a := 1
    

    但是 make 就不一样了,它的地位无可替代,在使用slice、map 以及 channel 的时候,还是要使用make进行初始化,然后才可以对它们进行操作。

  • 相关阅读:
    mysql去重
    java 实现一套流程管理、流转的思路(伪工作流)
    js模块加载框架 sea.js学习笔记
    使用js命名空间进行模块式开发
    二叉树的基本操作实现(数据结构实验)
    学生信息管理系统-顺序表&&链表(数据结构第一次作业)
    计算表达式的值--顺序栈(数据结构第二次实验)
    使用seek()方法报错:“io.UnsupportedOperation: can't do nonzero cur-relative seeks”错误的原因
    seek()方法的使用
    python中如何打印某月日历
  • 原文地址:https://www.cnblogs.com/mengyilingjian/p/13798561.html
Copyright © 2011-2022 走看看