Solidity 小白教程:6. 引用类型, array, struct
这一讲,我们将介绍solidity中的两个重要变量类型:数组(array)和结构体(struct)。
数组 array
数组(Array)是solidity常用的一种变量类型,用来存储一组数据(整数,字节,地址等等)。数组分为固定长度数组和可变长度数组两种:
- 固定长度数组:在声明时指定数组的长度。用T[k]的格式声明,其中T是元素的类型,k是长度,例如:
// 固定长度 Arrayuint[8] array1;bytes1[5] array2;address[100] array3;
- 可变长度数组(动态数组):在声明时不指定数组的长度。用T[]的格式声明,其中T是元素的类型,例如:
// 可变长度 Arrayuint[] array4;bytes1[] array5;address[] array6;bytes array7;
注意:bytes比较特殊,是数组,但是不用加**[]。另外,不能用byte[]声明单字节数组,可以使用bytes或bytes1[]。在 gas 上,bytes比bytes1[]便宜。因为bytes1[]在memory中要增加 31 个字节进行填充,会产生额外的 gas。但是在storage**中,由于内存紧密打包,不存在字节填充。
创建数组的规则
在 solidity 里,创建数组有一些规则:
- 对于memory修饰的动态数组,可以用new操作符来创建,但是必须声明长度,并且声明后长度不能改变。例子:
// memory动态数组uint[] memory array8 = new uint[](5);bytes memory array9 = new bytes(9);
- 数组字面常数(Array Literals)是写作表达式形式的数组,用方括号包着来初始化 array 的一种方式,并且里面每一个元素的 type 是以第一个元素为准的,例如**[1,2,3]里面所有的元素都是 uint8 类型,因为在 solidity 中如果一个值没有指定 type 的话,默认就是最小单位的该 type,这里 int 的默认最小单位类型就是 uint8。而[uint(1),2,3]**里面的元素都是 uint 类型,因为第一个元素指定了是 uint 类型了,我们都以第一个元素为准。 下面的合约中,对于 f 函数里面的调用,如果我们没有显式对第一个元素进行 uint 强转的话,是会报错的,因为如上所述我们其实是传入了 uint8 类型的 array,可是 g 函数需要的却是 uint 类型的 array,就会报错了。
// SPDX-License-Identifier: GPL-3.0
pragma solidity >=0.4.16 <0.9.0;contract C {function f() public pure {g([uint(1), 2, 3]);}function g(uint[3] memory) public pure {// ...}
}
- 如果创建的是动态数组,你需要一个一个元素的赋值。
uint[] memory x = new uint[](3);x[0] = 1;x[1] = 3;x[2] = 4;
数组成员
- length: 数组有一个包含元素数量的length成员,memory数组的长度在创建后是固定的。
- push(): 动态数组和bytes拥有push()成员,可以在数组最后添加一个0元素。
- push(x): 动态数组和bytes拥有push(x)成员,可以在数组最后添加一个x元素。
- pop(): 动态数组和bytes拥有**pop()**成员,可以移除数组最后一个元素。
Example:
结构体 struct
Solidity支持通过构造结构体的形式定义新的类型。创建结构体的方法:
// 结构体struct Student{uint256 id;uint256 score;}
Student student; // 初始一个student结构体
给结构体赋值的两种方法:
// 给结构体赋值// 方法1:在函数中创建一个storage的struct引用function initStudent1() external{Student storage _student = student; // assign a copy of student_student.id = 11;_student.score = 100;}
Example:
// 方法2:直接引用状态变量的structfunction initStudent2() external{student.id = 1;student.score = 80;}
Example:
总结
这一讲,我们介绍了 solidity 中数组(array)和结构体(struct)的基本用法。下一讲我们将介绍 solidity 中的哈希表——映射(mapping)。