mirror of
https://github.com/status-im/codex-contracts-eth.git
synced 2025-01-31 02:35:36 +00:00
33010bd20c
* feat(slot-reservations): Allow slots to be reserved Closes #175. Allows reservation of slots, without an implementation of the expanding window. - Add a function called `reserveSlot(address, SlotId)`, that allows three unique addresses per slot to be reserved, that returns bool if successful. - Use `mapping(SlotId => EnumerableSet.AddressSet)` - Return false if the address could not be added to the set (if `EnumerableSet.add` returns false) - Add `canReserveSlot(address, SlotId)` - Return `true` if set of reservations is less than 3 and the set doesn't already contain the address - Return `true` otherwise (for now, later add in logic for checking the address is inside the expanding window) - Call `canReserveSlot` from `reserveSlot` as a `require` or invariant - Add `SlotReservations` configuration struct to the network-level config, with `maxReservations`
37 lines
1.1 KiB
Solidity
37 lines
1.1 KiB
Solidity
// SPDX-License-Identifier: MIT
|
|
pragma solidity 0.8.23;
|
|
|
|
import "@openzeppelin/contracts/utils/structs/EnumerableSet.sol";
|
|
import "./Requests.sol";
|
|
import "./Configuration.sol";
|
|
|
|
contract SlotReservations {
|
|
using EnumerableSet for EnumerableSet.AddressSet;
|
|
|
|
mapping(SlotId => EnumerableSet.AddressSet) internal _reservations;
|
|
SlotReservationsConfig private _config;
|
|
|
|
constructor(SlotReservationsConfig memory config) {
|
|
_config = config;
|
|
}
|
|
|
|
function reserveSlot(RequestId requestId, uint256 slotIndex) public {
|
|
require(canReserveSlot(requestId, slotIndex), "Reservation not allowed");
|
|
|
|
SlotId slotId = Requests.slotId(requestId, slotIndex);
|
|
_reservations[slotId].add(msg.sender);
|
|
}
|
|
|
|
function canReserveSlot(
|
|
RequestId requestId,
|
|
uint256 slotIndex
|
|
) public view returns (bool) {
|
|
address host = msg.sender;
|
|
SlotId slotId = Requests.slotId(requestId, slotIndex);
|
|
return
|
|
// TODO: add in check for address inside of expanding window
|
|
(_reservations[slotId].length() < _config.maxReservations) &&
|
|
(!_reservations[slotId].contains(host));
|
|
}
|
|
}
|