Immutable & Const

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

contract Immutable {
    uint public immutable IMMU;
    uint public constant CONST = 1;

    constructor(uint input) {
        IMMU = input;
        // CONST = input; cannot compile
    }
}

Function Modifiers

// Modifiers can take inputs. This modifier checks that the
// address passed in is not the zero address.
modifier validAddress(address _addr) {
    require(_addr != address(0), "Not valid address");
		// Underscore is a special character only used inside
    // a function modifier and it tells Solidity to
    // execute the rest of the code.
    _;
}

function changeOwner(address _newOwner) public onlyOwner validAddress(_newOwner) {
    owner = _newOwner;
}

// Modifiers can be called before and / or after a function.
// This modifier prevents a function from being called while
// it is still executing.
modifier noReentrancy() {
    require(!locked, "No reentrancy");

    locked = true;
    _;
    locked = false;
}

function decrement(uint i) public noReentrancy {
    x -= i;

    if (i > 1) {
        decrement(i - 1);
    }
}

Data Locations

function h(uint[] calldata _arr) external {
    // do something with calldata array
}