Solidity 练习:函数输出
睡不醒的鲤鱼 2022-12-29 Web3 Solidity
# 一、题目说明
函数可以返回多个输出。
# 二、任务列表
- 编写 external view 函数 myFunc(),该函数返回两个输出:msg.sender 和 false。
# 三、解答代码
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.17;
contract FunctionOutputs {
// Functions can return multiple outputs.
function returnMany() public pure returns (uint, bool) {
return (1, true);
}
// Outputs can be named.
function named() public pure returns (uint x, bool b) {
return (1, true);
}
// Outputs can be assigned to their name.
// Here return statement can be omitted.
function assigned() public pure returns (uint x, bool b) {
x = 1;
b = true;
}
// Use destructuring assignment when calling another
// function that returns multiple outputs.
function destructuringAssigments() public pure {
(uint i, bool b) = returnMany();
// Outputs can be left out.
(, bool bb) = returnMany();
}
function myFunc() external view returns (address, bool) {
return (msg.sender, false);
}
}
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
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