Solidity 练习:调用其他合约
睡不醒的鲤鱼 2022-12-29 Web3 Solidity
# 一、题目说明
下面给出被调用合约的内容。
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.17;
contract TestContract {
uint public x;
uint public value = 123;
function setX(uint _x) external {
x = _x;
}
function getX() external view returns (uint) {
return x;
}
function setXandReceiveEther(uint _x) external payable {
x = _x;
value = msg.value;
}
function getXandValue() external view returns (uint, uint) {
return (x, value);
}
function setXtoValue() external payable {
x = msg.value;
}
function getValue() external view returns (uint) {
return value;
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
# 二、任务列表
- 完成函数 setXwithEther(address _addr),该函数要调用 TestContract.setXtoValue,发送所有被发送到 setXwithEther 的 Ether。
- 完成函数 getValue(address _addr),该函数要调用 TestContract.getValue 并返回输出。
# 三、解答代码
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.17;
import "./TestContract.sol";
contract CallTestContract {
function setX(TestContract _test, uint _x) external {
_test.setX(_x);
}
function setXfromAddress(address _addr, uint _x) external {
TestContract test = TestContract(_addr);
test.setX(_x);
}
function getX(address _addr) external view returns (uint) {
uint x = TestContract(_addr).getX();
return x;
}
function setXandSendEther(TestContract _test, uint _x) external payable {
_test.setXandReceiveEther{value: msg.value}(_x);
}
function getXandValue(address _addr) external view returns (uint, uint) {
(uint x, uint value) = TestContract(_addr).getXandValue();
return (x, value);
}
function setXwithEther(address _addr) external payable {
TestContract(_addr).setXtoValue{value: msg.value}();
}
function getValue(address _addr) external view returns (uint) {
return TestContract(_addr).getValue();
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37