Solidity - 合约
Solidity 中的合约类似于 C++ 中的类。 合约具有以下属性。
Constructor − 使用 constructor 关键字声明的特殊函数,每个合约将执行一次,并在创建合约时调用。
State Variables − 每个合约的变量用于存储合约的状态。
Functions − 每个合约的函数可以修改状态变量以改变合约的状态。
可见性量词
以下是合约的函数/状态变量的各种可见性量词。
external − 外部函数旨在由其他合约调用。 它们不能用于内部呼叫。 要在合约中调用外部函数,需要调用 this.function_name() 。 状态变量不能标记为外部。
public − 公共函数/变量可以在外部和内部使用。 对于公共状态变量,Solidity 会自动创建一个 getter 函数。
internal − 内部函数/变量只能在内部使用或由派生合约使用。
private − 私有函数/变量只能在内部使用,甚至不能在派生合约中使用。
示例
pragma solidity ^0.5.0; contract C { //private state variable uint private data; //public state variable uint public info; //constructor constructor() public { info = 10; } //private function function increment(uint a) private pure returns(uint) { return a + 1; } //public function function updateData(uint a) public { data = a; } function getData() public view returns(uint) { return data; } function compute(uint a, uint b) internal pure returns (uint) { return a + b; } } //External Contract contract D { function readData() public returns(uint) { C c = new C(); c.updateData(7); return c.getData(); } } //Derived Contract contract E is C { uint private result; C private c; constructor() public { c = new C(); } function getComputedResult() public { result = compute(3, 5); } function getResult() public view returns(uint) { return result; } function getData() public view returns(uint) { return c.info(); } }
使用 Solidity First 应用 章节中提供的步骤运行上述程序。 运行合同的各种方法。 对于 E.getCompulatedResult() 和 E.getResult() 显示 −
输出
0: uint256: 8