Solidity - 继承

继承是扩展合约功能的一种方式。 Solidity 支持单继承和多重继承。 以下是主要亮点。

  • 派生合约可以访问所有非私有成员,包括内部方法和状态变量。 但使用这个是不允许的。

  • 如果函数签名保持不变,则允许函数重写。 如果输出参数不同,编译将失败。

  • 我们可以使用 super 关键字或使用超级合约名称来调用超级合约的函数。

  • 在多重继承的情况下,使用 super 的函数调用优先考虑最派生的契约。

示例

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; }
}
//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 应用 章节中提供的步骤运行上述程序。 Run various method of Contracts. For E.getComputedResult() followed by E.getResult() shows −

输出

0: uint256: 8