상속과 이벤트를 접목해서 다뤄보려고 함.

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

contract Father {
    event FatherName(string name);

    function who() public virtual {
        emit FatherName("LeeMinSang");
    }
}

contract Son is Father {
    event sonName(string name);

    function who() public override {
        emit FatherName("LeeMinSang");
        emit sonName("LeeSeongHyun");
    }
}

위와 같은 컨트랙트가 있고, Son 컨트랙트는 Father 컨트랙트의 who를 상속받아 오버라이딩 합니다.

Son 컨트랙트는 Father 컨트랙트의 이벤트를 그대로 유지하고, 자신의 sonName 이벤트를 추가했습니다.

그러나 오버라이딩한 함수 who안에 단순히 FatherName 이벤트 한줄만 쓰는게 아니고, 여러 줄의 코드를 써야 한다면, 매우 번거로워지기 때문에 super를 사용함.

super를 사용하면 상속받은 컨트랙트의 이벤트를 들고 올 수 있음.

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

contract Father {
    event FatherName(string name);

    function who() public virtual {
        emit FatherName("LeeMinSang");
    }
}

contract Mother {
    event MotherName(string name);

    function who() public virtual {
        emit MotherName("JoMinHo");
    }
}

contract Son is Father {
    event sonName(string name);

    function who() public override {
        super.who();
        emit sonName("LeeSeongHyun");
    }
}

super.who() 는 Fahter 컨트랙트(상속)의 who를 들고옴.