数组 array
数组(Array
)是solidity
常用的一种变量类型,用来存储一组数据(整数,字节,地址等等)。
固定长度数组:在声明时指定数组的长度。用T[k]
的格式声明,其中T
是元素的类型,k
是长度,例如:
// 固定长度 Array
uint[8] array1;
bytes1[5] array2;
address[100] array3;
可变长度数组(动态数组):在声明时不指定数组的长度。用T[]
的格式声明,其中T
是元素的类型,例如(bytes
比较特殊,是数组,但是不用加[]
):
uint[] array4;
bytes1[] array5;
address[] array6;
bytes array7;
创建数组的规则
在solidity里,创建数组有一些规则:
对于memory
修饰的动态数组
,可以用new
操作符来创建,但是必须声明长度,并且声明后长度不能改变。例子:
// memory动态数组
uint[] memory array8 = new uint[](5);
bytes memory array9 = new bytes(9);
如果创建的是动态数组,你需要一个一个元素的赋值。
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()
成员,可以移除数组最后一个元素。
结构体 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;
}
// 方法2:直接引用状态变量的struct
function initStudent2() external{
student.id = 1;
student.score = 80;
}
转载请注明来源,欢迎对文章中的引用来源进行考证,欢迎指出任何有错误或不够清晰的表达。