두개 이상 상속할 때 어떻게 해야하는지 알아보려고 함.

// SPDX-License-Identifier:GPL-30
pragma solidity >=0.7.0 <0.9.0;

contract Father {}

contract Mother {}

contract Son {}

Father, Mother, Son 컨트랙트가 있다고 할 때, 이전과 똑같이 is 를 써주면 됨.

// SPDX-License-Identifier:GPL-30
pragma solidity >=0.7.0 <0.9.0;

contract Father {}

contract Mother {}

contract Son is Father, Mother {}

이렇게 함으로 Son 컨트랙트가 Father, Mother 컨트래를 상속함을 알 수 있음.

만약, Father / Mother 컨트랙트에 같은 이름의 함수가 있다면?

// SPDX-License-Identifier:GPL-30
pragma solidity >=0.7.0 <0.9.0;

contract Father {
    uint256 public fatherMoney = 100;

    function getFatherName() public pure returns (string memory) {
        return "Lee Min Sang";
    }

    function getMoney() public view returns (uint256) {
        return fatherMoney;
    }
}

contract Mother {
    uint256 public motherMoney = 500;

    function getMotherName() public pure returns (string memory) {
        return "Jo Min Ho";
    }

    function getMoney() public view returns (uint256) {
        return motherMoney;
    }
}

contract Son is Father, Mother {}

Father, Mother 컨트랙트는 매우 유사함. getFatherName, getMotherName은 각 이름을 리턴하는 함수임. 그리고 getMoney라는 같은 이름의 함수가 각각 들어있음.

이럴경우 Son 컨트랙트가 상속 받을 경우 에러가 발생하고, override 명시하라고 에러가 발생.

function getMoney() public view virtual returns(uint256){
   return fatherMoney;
}

그러려면 먼저 Father, Mother 컨트랙트에 virtual을 명시해야 함.

그 이후 override를 명시해주어야 하는데, 이번에는 override(Father, Mother) 을 해줘야 함.

override(중복이름의 함수를 가진 스마트컨트랙트 명시)