view / pure 키워드의 자리는 public과 같은 접근 제어자 앞, 뒤 어디든 붙일 수 있음

function test() view public returns (uint256) {}

function test2() public view returns (uint256) {}

view

storage state를 읽을 수 있지만, 그 state값을 변경할 수 없다

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

contract View {
    uint256 public a = 1;

    function read_a() public view returns (uint256) {
        return a + 2;
    }
}

function의 밖에 있는 것들은 storage state에 저장이 됨 그러니 a가 storage state인데,

read_a() 라는 a 값을 리턴하는 함수를 만듬으로 storage state를 읽을 수 있었음

read_a()에서 storage state를 변경하려면 view를 제거하면 됨.

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

contract View {
    uint256 public a = 1;

    function read_a() public returns (uint256) {
        a = 3;
        
        return a + 2;
    }
}

pure

storage state를 읽으면 안되고, 그 state 값을 변경할 수도 없음

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

contract View {
    function read_a() public pure returns (uint256) {
        uint256 a = 3;

        return a + 2;
    }
}

pure는 storage state를 읽지 못하고, 변경도 불가능하니 함수 밖의 외부의 값을 가져올 수 없음

그래서 함수 내에 정의된 로컬 변수들로 연산

정리

view: function 밖의 변수들을 읽을 수 있으나 변경 불가능

pure: function 밖의 변수들을 읽지 못하고, 변경도 불가능