Solidity 练习:函数修饰符

2022-12-29 Web3 Solidity

# 一、题目说明

函数修饰符是可重复使用的代码,可以在函数调用前后运行。常见使用场景如下。

  • 限制访问
  • 验证输入
  • 检查函数调用前后的状态

# 二、任务列表

  1. 给 dec() 函数增加一个修饰符 whenNotPaused,一遍在 paused 为 false 的时候可以减小 count。
  2. 创建一个名为 whenPaused 的修饰符,它可以检查状态变量 paused 是否为 true。如果 paused 为 false 就抛出错误 “not paused”。
  3. 增加一个 external 函数 reset,它可以把 count 值置零。同时使用上一个任务中的 whenPaused 进行修饰。

# 三、解答代码

// SPDX-License-Identifier: MIT
pragma solidity ^0.8.17;

contract FunctionModifier {
    bool public paused;
    uint public count;

    // Modifire to check if not paused
    modifier whenNotPaused() {
        require(!paused, "paused");
        // Underscore is a special character only used inside
        // a function modifier and it tells Solidity to
        // execute the rest of the code.
        _;
    }

    function setPause(bool _paused) external {
        paused = _paused;
    }

    // This function will throw an error if paused
    function inc() external whenNotPaused {
        count += 1;
    }

    function dec() external whenNotPaused {
        count -= 1;
    }

    modifier whenPaused() {
        require(paused, "not paused");
        _;
    }

    function reset() external whenPaused {
        count = 0;
    }

    // Modifiers can take inputs.
    // Here is an example to check that x is < 10
    modifier cap(uint _x) {
        require(_x < 10, "x >= 10");
        _;
    }

    function incBy(uint _x) external whenNotPaused cap(_x) {
        count += _x;
    }

    // Modifiers can execute code before and after the function.
    modifier sandwich() {
        // code here
        _;
        // more code here
    }
}
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
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56

# 四、参考资料

Last Updated: 2023-01-28 4:31:25