-
Notifications
You must be signed in to change notification settings - Fork 30
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
feat(contracts-rfq): relay/prove/claim with different address [SLT-130] #3138
Conversation
feat: fast bridge v2 tests [SLT-130]
WalkthroughThe pull request introduces the Changes
Poem
Thank you for using CodeRabbit. We offer it for free to the OSS community and would appreciate your support in helping us grow. If you find it useful, would you consider giving us a shout-out on your favorite social media? TipsChatThere are 3 ways to chat with CodeRabbit:
Note: Be mindful of the bot's finite context window. It's strongly recommended to break down tasks such as reading entire modules into smaller chunks. For a focused discussion, use review comments to chat about specific files and their changes, instead of using the PR comments. CodeRabbit Commands (Invoked using PR comments)
Other keywords and placeholders
Documentation and Community
|
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Actionable comments posted: 22
Outside diff range and nitpick comments (15)
packages/contracts-rfq/contracts/interfaces/IFastBridgeV2.sol (2)
19-21
: Ensure consistent parameter usage across functionsIn the
claim
function, therelayer
address parameter is omitted, unlike in therelay
andprove
functions. If therelayer
is required for claiming the originally deposited capital, consider including it as a parameter for consistency and clarity. Alternatively, if therelayer
is intended to be identified viamsg.sender
during implementation, evaluate whether the same approach should be applied to the other functions.
8-21
: Enhance parameter descriptions for clarityThe current Natspec comments provide basic descriptions. To improve clarity for developers, consider enhancing the parameter descriptions by specifying data types and expected formats where applicable.
Apply the following changes to the comments:
/// @notice Relays destination side of bridge transaction by off-chain relayer - /// @param request The encoded bridge transaction to relay on destination chain + /// @param request The ABI-encoded bridge transaction data to relay on the destination chain /// @param relayer The address of the relaying entity which should have control of the origin funds when claimed function relay(bytes memory request, address relayer) external payable; /// @notice Provides proof on origin side that relayer provided funds on destination side of bridge transaction - /// @param request The encoded bridge transaction to prove on origin chain + /// @param request The ABI-encoded bridge transaction data that was relayed /// @param destTxHash The destination transaction hash proving the bridge transaction was relayed /// @param relayer The address of the relaying entity which should have control of the origin funds when claimed function prove(bytes memory request, bytes32 destTxHash, address relayer) external; /// @notice Completes bridge transaction on origin chain by claiming originally deposited capital. Can only send funds to the relayer address on the proof. - /// @param request The encoded bridge transaction to claim on origin chain + /// @param request The ABI-encoded bridge transaction data to claim on the origin chain function claim(bytes memory request) external;packages/contracts-rfq/test/FastBridgeV2.Parity.t.sol (1)
6-6
: Re-evaluate the need to disable Solhint rulesThe directive
// solhint-disable func-name-mixedcase, ordering
disables thefunc-name-mixedcase
andordering
rules. If possible, consider adhering to the standard naming conventions and function ordering to maintain code consistency and readability, rather than disabling these linting rules.packages/contracts-rfq/test/FastBridgeV2.t.sol (1)
50-53
: Add comments to clarify the purpose of empty virtual functionsThe functions
configureFastBridge()
andmintTokens()
are empty but marked asvirtual
. To improve code readability, consider adding comments explaining that these functions are intended to be overridden in derived test contracts to provide specific configurations or setups necessary for testing.Apply this diff to add explanatory comments:
function configureFastBridge() public virtual {} + // Override to configure the FastBridge instance with specific settings for tests function mintTokens() public virtual {} + // Override to mint tokens required for test scenariospackages/contracts-rfq/test/FastBridgeV2.Management.t.sol (2)
95-102
: Consider Edge Cases in Fee Sweeping TestsIn
test_sweepProtocolFees_erc20
andtest_sweepProtocolFees_eth
, the tests assume that there are protocol fees collected. Ensure that cases where no fees are collected are also tested to confirm the functions handle zero balances gracefully.Consider adding tests for zero protocol fees:
+function test_sweepProtocolFees_zeroFees() public { + // Ensure protocol fees are zero + assertEq(fastBridge.protocolFees(address(srcToken)), 0); + vm.expectRevert("No fees to sweep"); + sweepProtocolFees(governor, address(srcToken), governorA); +}Also applies to: 104-111
53-57
: Missing Assertion Message in Role Assignment TestIn
test_grantGovernorRole
, the assertions lack custom messages. Adding messages can aid in debugging if the test fails.Enhance assertions with messages:
-assertFalse(fastBridge.hasRole(GOVERNOR_ROLE, governorA)); +assertFalse(fastBridge.hasRole(GOVERNOR_ROLE, governorA), "GovernorA should not have the role before assignment");packages/contracts-rfq/test/FastBridgeV2.Dst.t.sol (1)
40-53
: ParameterizechainGasAmount
inexpectBridgeRelayed()
for flexibilityCurrently,
chainGasAmount
is hardcoded to0
in theexpectBridgeRelayed
function. To enhance flexibility and allow testing of scenarios with differentchainGasAmount
values, consider parameterizing this field.Apply the following diff to modify the function:
function expectBridgeRelayed(IFastBridge.BridgeTransaction memory bridgeTx, bytes32 txId, address relayer) public { vm.expectEmit(address(fastBridge)); emit BridgeRelayed({ transactionId: txId, relayer: relayer, to: bridgeTx.destRecipient, originChainId: bridgeTx.originChainId, originToken: bridgeTx.originToken, destToken: bridgeTx.destToken, originAmount: bridgeTx.originAmount, destAmount: bridgeTx.destAmount, - chainGasAmount: 0 + chainGasAmount: bridgeTx.chainGasAmount }); }Ensure that
bridgeTx
includes thechainGasAmount
field and update any calls toexpectBridgeRelayed
accordingly.packages/contracts-rfq/contracts/FastBridgeV2.sol (2)
183-191
: Improve Event Logging inprove
FunctionThe
BridgeProofProvided
event does not emit thedestTxHash
, which could be valuable for tracking purposes.Recommendation:
Include
destTxHash
in the emitted event.event BridgeProofProvided( bytes32 indexed transactionId, address indexed relayer, + bytes32 destTxHash ); - emit BridgeProofProvided(transactionId, relayer, destTxHash); + emit BridgeProofProvided(transactionId, relayer, destTxHash);
251-260
: Clarify Event Parameters indispute
FunctionThe
BridgeProofDisputed
event could include additional information to aid in debugging and tracking.Recommendation:
Include the
relayer
andreason
in the event.event BridgeProofDisputed( bytes32 indexed transactionId, address indexed disputer, + address indexed relayer ); emit BridgeProofDisputed(transactionId, msg.sender, bridgeProofs[transactionId].relayer);
packages/contracts-rfq/test/FastBridgeV2.Src.t.sol (6)
226-227
: Implement thetest_bridge_userSpecificNonce
testThe test
test_bridge_userSpecificNonce
is currently skipped with a TODO comment. Implement this test to verify that user-specific nonces are handled correctly in bridging operations.Do you want me to help implement this test or open a GitHub issue to track this task?
286-290
: Resolve the skipped test intest_bridge_revert_zeroSender
The test
test_bridge_revert_zeroSender
is skipped with a TODO comment. Address this to ensure the contract correctly handles cases where the sender address is zero.Do you need assistance in fixing this test or should I open a GitHub issue to track it?
293-297
: Address the skipped test intest_bridge_revert_zeroRecipient
The test
test_bridge_revert_zeroRecipient
is skipped with a TODO comment. Implement this test to confirm that the contract properly reverts when the recipient address is zero.Would you like me to assist in implementing this test or create a GitHub issue for it?
803-806
: Unskip and fix thetest_refund_revert_statusNull
testThe test
test_refund_revert_statusNull
is skipped with a TODO comment. Resolve the underlying issue to enable this test and ensure proper refund behavior when the status isNULL
.Can I assist in fixing this test or should we open a GitHub issue to track this task?
809-814
: Unskip and fix thetest_refund_revert_statusProven
testThis test is currently skipped. Implementing it will help verify that refunds properly revert when the status is
PROVEN
.Would you like assistance in addressing this test or should a GitHub issue be created?
817-824
: Unskip and fix thetest_refund_revert_statusClaimed
testThe test is skipped pending a fix. Ensure that refunds correctly revert when the status is
CLAIMED
by resolving this test.Let me know if you need help implementing this test or if a GitHub issue needs to be opened.
Review details
Configuration used: .coderabbit.yaml
Review profile: CHILL
Files selected for processing (19)
- .vscode/settings.json (1 hunks)
- packages/contracts-rfq/contracts/Admin.sol (1 hunks)
- packages/contracts-rfq/contracts/FastBridgeV2.sol (1 hunks)
- packages/contracts-rfq/contracts/interfaces/IAdmin.sol (1 hunks)
- packages/contracts-rfq/contracts/interfaces/IFastBridge.sol (1 hunks)
- packages/contracts-rfq/contracts/interfaces/IFastBridgeV2.sol (1 hunks)
- packages/contracts-rfq/contracts/interfaces/IMulticallTarget.sol (1 hunks)
- packages/contracts-rfq/contracts/libs/Errors.sol (1 hunks)
- packages/contracts-rfq/contracts/libs/UniversalToken.sol (1 hunks)
- packages/contracts-rfq/contracts/utils/MulticallTarget.sol (1 hunks)
- packages/contracts-rfq/script/ConfigureFastBridge.s.sol (1 hunks)
- packages/contracts-rfq/script/DeployFastBridge.CREATE2.s.sol (1 hunks)
- packages/contracts-rfq/test/FastBridge.t.sol (4 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Dst.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Management.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Parity.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Src.ProtocolFees.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Src.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.t.sol (1 hunks)
Files skipped from review due to trivial changes (9)
- packages/contracts-rfq/contracts/Admin.sol
- packages/contracts-rfq/contracts/interfaces/IAdmin.sol
- packages/contracts-rfq/contracts/interfaces/IFastBridge.sol
- packages/contracts-rfq/contracts/interfaces/IMulticallTarget.sol
- packages/contracts-rfq/contracts/libs/Errors.sol
- packages/contracts-rfq/contracts/libs/UniversalToken.sol
- packages/contracts-rfq/contracts/utils/MulticallTarget.sol
- packages/contracts-rfq/script/ConfigureFastBridge.s.sol
- packages/contracts-rfq/script/DeployFastBridge.CREATE2.s.sol
Additional comments not posted (26)
.vscode/settings.json (1)
21-21
: Verify compatibility with Solidity v0.8.24The Solidity compiler version has been updated to
v0.8.24
. Please ensure that all contracts compile successfully with this new version and review the Solidity release notes for any potential breaking changes or deprecations that might affect the codebase.packages/contracts-rfq/test/FastBridgeV2.Src.ProtocolFees.t.sol (2)
16-24
: Ensure transaction amounts align with the 1% protocol fee rateIn
createFixtures()
, the transaction amounts and fees are set manually. Please verify that these amounts correctly reflect the 1% protocol fee rate configured earlier. Consistency between the fee rate and the fixture amounts is crucial for accurate testing.For example, for the token transaction:
- Total amount:
tokenTx.originFeeAmount + tokenTx.originAmount = 0.01e6 + 0.99e6 = 1e6
- Expected fee (1% of total amount):
1e6 * 1% = 0.01e6
Similarly, for the ETH transaction:
- Total amount:
ethTx.originFeeAmount + ethTx.originAmount = 0.01 ether + 0.99 ether = 1 ether
- Expected fee (1% of total amount):
1 ether * 1% = 0.01 ether
Please confirm that the
destAmount
values (tokenTx.destAmount
,ethTx.destAmount
) are consistent with the fee deductions as per the protocol logic.
10-11
: Verify thatsetProtocolFeeRate(1e4)
correctly sets the fee rate to 1%The call to
fastBridge.setProtocolFeeRate(1e4);
aims to set the protocol fee rate to 1%, as indicated by the comment// 1%
. Please verify that1e4
corresponds to a 1% fee rate in thefastBridge
contract's context. This ensures that fee calculations in the tests align with the intended rate.To confirm how the fee rate is interpreted, run the following script to examine the
setProtocolFeeRate
function and its usage in fee calculations:Verification successful
Verification confirms
setProtocolFeeRate(1e4)
correctly sets the fee rate to 1%The codebase analysis verifies that
setProtocolFeeRate(1e4)
indeed sets the protocol fee rate to 1% as intended. Here's a brief explanation:
- The fee calculations use the formula:
(amount * protocolFeeRate) / FEE_BPS
or(amount * protocolFeeRate) / 1e6
.FEE_BPS
is equivalent to 1e6 (1 million), representing 100% in basis points.- Setting
protocolFeeRate
to 1e4 (10,000) results in a 1% fee rate: 10,000 / 1,000,000 = 0.01 = 1%.The test in
FastBridgeV2.Src.ProtocolFees.t.sol
correctly sets the fee rate to 1% usingsetProtocolFeeRate(1e4)
.Scripts executed
The following scripts were executed for the analysis:
Script:
#!/bin/bash # Description: Verify the unit of `protocolFeeRate` in `setProtocolFeeRate` and its application. # Search for the `setProtocolFeeRate` function definition. ast-grep --lang solidity --pattern $'function setProtocolFeeRate(uint256 feeRate) public { $$$ }' # Search for where `protocolFeeRate` is used in calculations to understand the unit scaling. ast-grep --lang solidity --pattern $'$_amount * protocolFeeRate / $_' # Expectation: The fee rate is a fraction of 1e6 (parts per million), so 1e4 should represent 1%.Length of output: 403
Script:
#!/bin/bash # Description: Verify the unit of `protocolFeeRate` in `setProtocolFeeRate` and its application. # Search for the `setProtocolFeeRate` function definition. rg "function setProtocolFeeRate" -t sol # Search for where `protocolFeeRate` is used in calculations to understand the unit scaling. rg "protocolFeeRate.*/" -t sol # Expectation: The fee rate is a fraction of 1e6 (parts per million), so 1e4 should represent 1%.Length of output: 130
Script:
#!/bin/bash # Description: Verify the unit of `protocolFeeRate` in `setProtocolFeeRate` and its application. # Search for the `setProtocolFeeRate` function definition in .sol files fd -e sol | xargs rg "function setProtocolFeeRate" -n # Search for where `protocolFeeRate` is used in calculations to understand the unit scaling. fd -e sol | xargs rg "protocolFeeRate.*/" -n # Expectation: The fee rate is a fraction of 1e6 (parts per million), so 1e4 should represent 1%.Length of output: 3416
packages/contracts-rfq/test/FastBridgeV2.t.sol (1)
110-112
: Ensure consistent hashing by verifying struct encodingIn the
getTxId
function, the bridge transaction is hashed usingabi.encode(bridgeTx)
. To ensure consistent and reliable hashing, verify that all fields withinIFastBridge.BridgeTransaction
are of statically-sized types. If any fields are dynamically-sized (such asbytes
orstring
), the hashing may produce inconsistent results across different executions. If necessary, consider encoding each field explicitly or ensuring that only statically-sized types are used.packages/contracts-rfq/test/FastBridgeV2.Management.t.sol (3)
83-84
: Incorrect Revert Message ExpectationIn
test_setProtocolFeeRate_revert_tooHigh
, you're expecting the revert message"newFeeRate > max"
. Ensure that the actual revert message from thesetProtocolFeeRate
function matches this string exactly. Any mismatch will cause the test to fail unexpectedly.Run this script to confirm the revert message in the
FastBridgeV2
contract:Verification successful
Revert Message Expectation is Correct
The review comment's concern about the revert message expectation is unnecessary. The expected message "newFeeRate > max" in the test file matches exactly with the actual implementation in the
Admin.sol
contract, which is likely the base contract forFastBridgeV2
.
- The
setProtocolFeeRate
function inpackages/contracts-rfq/contracts/Admin.sol
uses the exact revert message:"newFeeRate > max"
.- This message is consistently used across multiple contract versions and test contracts.
The test
test_setProtocolFeeRate_revert_tooHigh
is correctly expecting the revert message, and no changes are needed.Scripts executed
The following scripts were executed for the analysis:
Script:
#!/bin/bash # Description: Verify the revert message in `setProtocolFeeRate`. # Test: Search for the revert message. Expect: Only one occurrence matching the expected string. rg --type solidity -A2 $'function setProtocolFeeRate' | rg 'require.*newFeeRate.*'Length of output: 116
Script:
#!/bin/bash # Description: Verify the revert message in `setProtocolFeeRate` for Solidity files # Find Solidity files and search for the setProtocolFeeRate function and its revert condition fd -e sol | xargs rg -A5 'function setProtocolFeeRate' | rg 'require.*newFeeRate.*'Length of output: 703
39-40
: Ensure Proper Access Control TestingThe functions
setProtocolFeeRate
andtest_setProtocolFeeRate_revert_notGovernor
rely on access control. Verify that thefastBridge.GOVERNOR_ROLE()
call correctly references the governor role. Additionally, confirm that unauthorized callers are properly restricted in both the implementation and tests.Run this script to check the access control implementation:
Also applies to: 88-89
Verification successful
Access Control for setProtocolFeeRate and GOVERNOR_ROLE Verified
The verification process confirms that proper access control is implemented for the
setProtocolFeeRate
function and theGOVERNOR_ROLE
:
- The
GOVERNOR_ROLE
constant is correctly defined and consistently used across the codebase.- The
setProtocolFeeRate
function inAdmin.sol
uses theonlyRole(GOVERNOR_ROLE)
modifier, ensuring only governors can call it.- The
test_setProtocolFeeRate_revert_notGovernor
function inFastBridgeV2.Management.t.sol
properly tests for unauthorized access.These implementations ensure that only authorized callers (governors) can modify the protocol fee rate, while unauthorized callers are correctly restricted.
Scripts executed
The following scripts were executed for the analysis:
Script:
#!/bin/bash # Description: Verify that `GOVERNOR_ROLE` is correctly set and used. # Test: Search for `GOVERNOR_ROLE` usage in `FastBridgeV2` contract. rg --type solidity 'bytes32 public constant GOVERNOR_ROLE' -A5 # Test: Ensure `grantRole` and `hasRole` are used with `GOVERNOR_ROLE`. rg --type solidity 'grantRole\(GOVERNOR_ROLE' -A2 rg --type solidity 'hasRole\(GOVERNOR_ROLE' -A2Length of output: 265
Script:
#!/bin/bash # Description: Verify access control implementation in Solidity files # Search for GOVERNOR_ROLE constant definition echo "GOVERNOR_ROLE constant definition:" rg "bytes32 public constant GOVERNOR_ROLE" --glob "*.sol" # Check usage of GOVERNOR_ROLE in grantRole and hasRole functions echo "\nGOVERNOR_ROLE usage in grantRole:" rg "grantRole\(GOVERNOR_ROLE" --glob "*.sol" echo "\nGOVERNOR_ROLE usage in hasRole:" rg "hasRole\(GOVERNOR_ROLE" --glob "*.sol" # Verify implementation of setProtocolFeeRate function echo "\nsetProtocolFeeRate function implementation:" rg "function setProtocolFeeRate" -A 10 --glob "*.sol" # Look for test_setProtocolFeeRate_revert_notGovernor test function echo "\ntest_setProtocolFeeRate_revert_notGovernor test function:" rg "function test_setProtocolFeeRate_revert_notGovernor" -A 10 --glob "*.sol"Length of output: 16188
18-20
: Ensure Proper Initialization of FastBridgeV2When deploying
FastBridgeV2
, confirm that the constructor parameters and initial state are correctly set, especially theadmin
address. Any misconfiguration could lead to governance issues.Run this script to verify the constructor of
FastBridgeV2
:Verification successful
Proper Initialization of FastBridgeV2 Confirmed
The constructor of
FastBridgeV2
correctly passes the_admin
address to its parentAdmin
contract, which likely sets up the initial admin role. All state variables are appropriately initialized or don't require explicit initialization. The simplicity of the constructor aligns with best practices for contract deployment.For completeness, please manually verify the role setup in the
Admin
contract to ensure all necessary roles are properly assigned during initialization.Scripts executed
The following scripts were executed for the analysis:
Script:
#!/bin/bash # Description: Check the constructor of `FastBridgeV2` for proper initialization. # Test: Locate the constructor and verify the admin assignment. rg --type solidity 'constructor\(address _admin\)' -A5Length of output: 89
Script:
#!/bin/bash # Description: Locate FastBridgeV2 constructor and verify initialization # Find Solidity files and search for FastBridgeV2 constructor fd -e sol | xargs grep -n -A 5 "contract FastBridgeV2" | grep -A 10 "constructor" # Broader search for any constructor in FastBridgeV2 file fd -e sol | xargs grep -n -A 5 "contract FastBridgeV2" | grep -A 10 -i "constructor.*("Length of output: 171
Script:
#!/bin/bash # Description: Broad search for Solidity contracts and constructors # Find all Solidity contract definitions echo "Searching for Solidity contracts:" fd -e sol | xargs grep -n "contract.*{" # Find all constructor definitions in Solidity files echo "Searching for constructors in Solidity files:" fd -e sol | xargs grep -n -i "constructor.*(" # Search for files containing "FastBridge" in their name echo "Searching for FastBridge files:" fd -e sol FastBridgeLength of output: 68809
Script:
#!/bin/bash # Description: Examine the Admin contract and FastBridgeV2 contract # Check the Admin contract constructor and relevant functions echo "Admin contract implementation:" rg -A 10 "contract Admin" packages/contracts-rfq/contracts/Admin.sol # Check FastBridgeV2 for any important state variables echo "FastBridgeV2 state variables:" rg "^\s*(uint|int|address|bool|bytes|string)" packages/contracts-rfq/contracts/FastBridgeV2.solLength of output: 1940
packages/contracts-rfq/test/FastBridgeV2.Dst.t.sol (10)
24-27
: Initialization insetUp()
is correctly implementedThe
setUp
function properly sets the chain ID toDST_CHAIN_ID
and initializes the test environment by callingsuper.setUp()
. This ensures that the destination chain context is accurately simulated for the tests.
29-31
: Correct deployment ofFastBridgeV2
contractThe
deployFastBridge
function deploys a new instance of theFastBridgeV2
contract usingaddress(this)
as the constructor argument. This is appropriate since the contract may require a reference to the deploying contract for testing purposes.
33-38
: Proper token minting and approvals inmintTokens()
The
mintTokens
function correctly mints the necessary token balances forrelayerA
and sets up ETH forrelayerB
. The use ofvm.prank(relayerA)
ensures that theapprove
call is made from therelayerA
address, allowing thefastBridge
contract to spend the tokens on behalf ofrelayerA
.
74-83
:test_relay_token()
accurately tests ERC20 token relay functionalityThe
test_relay_token
function effectively verifies that an ERC20 token bridge request is correctly processed byrelayerA
. It checks the event emission, updates to thebridgeRelays
mapping, and the token balances ofuserB
,relayerA
, and thefastBridge
contract.
85-94
:test_relay_token_withRelayerAddress()
validates relaying with a specified relayer addressThis test ensures that
relayerA
can relay a transaction while specifyingrelayerB
as the relayer address. It confirms that theBridgeRelayed
event reflects the correct relayer and that token balances are updated appropriately.
96-105
:test_relay_eth()
correctly tests ETH bridge relayThe test function successfully validates that
relayerB
can relay an ETH bridge request. It checks for correct event emission, updates to thebridgeRelays
mapping, and verifies the ETH balances ofuserB
,relayerB
, and thefastBridge
contract.
107-116
:test_relay_eth_withRelayerAddress()
tests relaying ETH with a specified relayer addressThis test confirms that
relayerB
can relay an ETH transaction while specifyingrelayerA
as the relayer. It ensures the event logs and balance changes reflect the intended behavior.
120-124
:test_relay_revert_chainIncorrect()
correctly checks for chain ID mismatchesThe test effectively verifies that attempting to relay a transaction on the wrong chain (
SRC_CHAIN_ID
instead ofDST_CHAIN_ID
) results in a revert with theChainIncorrect
error, ensuring the contract's chain validation logic is functioning.
126-130
:test_relay_revert_transactionRelayed()
ensures duplicate transactions are preventedThis test appropriately checks that attempting to relay the same transaction twice results in a revert with the
TransactionRelayed
error, preventing duplicate processing of bridge transactions.
132-136
:test_relay_revert_deadlineExceeded()
validates deadline enforcementThe test confirms that if a relay attempt is made after the
DEADLINE
has passed, the contract correctly reverts with theDeadlineExceeded
error, enforcing the timing constraints of the relay process.packages/contracts-rfq/contracts/FastBridgeV2.sol (2)
244-245
: Ensure Safe Token TransfersUsing
universalTransfer
may not handle all ERC20 tokens safely, especially those that do not return a boolean.Recommendation:
Confirm that
universalTransfer
correctly handles tokens that do not adhere to the ERC20 standard fully. Consider usingSafeERC20.safeTransfer
for improved safety.
82-83
: Validate Token Addresses Against Known StandardsThe checks for zero addresses in
originToken
anddestToken
could be extended to validate that the tokens conform to ERC20 standards.Recommendation:
Implement additional validation to ensure tokens comply with expected interfaces.
packages/contracts-rfq/test/FastBridgeV2.Src.t.sol (1)
742-752
: Verify the refund recipient intest_refund_eth_diffSender
In this test, the refund is sent to
userA
, even thoughuserB
initiated the bridge. Confirm thatethParams.sender
is correctly set touserA
and that this behavior is intended.Please double-check that
ethParams.sender
is set touserA
as expected, and that the refund logic aligns with the intended functionality.packages/contracts-rfq/test/FastBridge.t.sol (6)
31-33
: Enhancing test setup extensibility by making 'setUp' virtualThe
setUp()
method is now marked asvirtual
, allowing derived test contracts to override it. This increases test flexibility and modularity. InitializingfastBridge
using thedeployFastBridge()
method enhances customization.
39-41
: Introducing 'deployFastBridge' method for customizable deploymentThe new
deployFastBridge()
method is marked asinternal virtual
, enabling derived contracts to override and customize the deployment logic of theFastBridge
. This improves modularity and supports different deployment scenarios in tests.
43-43
: Making '_mintTokensToActors' virtual for flexible token distributionBy marking
_mintTokensToActors()
asvirtual
, you allow derived test contracts to override the token minting process. This enhances flexibility for testing with different token distributions or amounts.
1304-1304
: Allowing 'test_failedRelayNotRelayer' to be overridden in derived testsMarking
test_failedRelayNotRelayer()
asvirtual
enables derived test contracts to customize or extend the test behavior. This provides greater flexibility in testing different failure scenarios related to relayers.
1649-1649
: Enabling override of 'test_failedClaimNotOldRelayer' for extended testingBy making
test_failedClaimNotOldRelayer()
virtual, you allow derived test contracts to override this function. This facilitates more comprehensive testing of claim failures involving relayer roles.
1686-1686
: Making 'test_failedClaimNotRelayer' virtual for customizable test behaviorMarking
test_failedClaimNotRelayer()
asvirtual
provides the ability for derived test contracts to override and tailor the test logic. This enhances the extensibility of tests related to relayer authorization.
/// @notice Relays destination side of bridge transaction by off-chain relayer | ||
/// @param request The encoded bridge transaction to relay on destination chain | ||
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | ||
function relay(bytes memory request, address relayer) external payable; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Validate the necessity of the relayer
parameter in relay
function
The relay
function includes a relayer
address parameter. Since interfaces cannot implement logic, it's important to ensure that the implementation will correctly handle this parameter. Consider whether the relayer
address should be obtained from msg.sender
within the implementation to prevent potential misuse where a caller could specify a different relayer
address, which might introduce security risks.
/// @notice Provides proof on origin side that relayer provided funds on destination side of bridge transaction | ||
/// @param request The encoded bridge transaction to prove on origin chain | ||
/// @param destTxHash The destination tx hash proving bridge transaction was relayed | ||
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | ||
function prove(bytes memory request, bytes32 destTxHash, address relayer) external; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Assess the use of the relayer
parameter in prove
function
Similar to the relay
function, the prove
function takes a relayer
address as a parameter. Verify whether it's necessary to pass the relayer
explicitly, or if it should be derived from msg.sender
during implementation. This could prevent scenarios where a malicious actor proves a transaction on behalf of another relayer without authorization.
@@ -0,0 +1,23 @@ | |||
// SPDX-License-Identifier: MIT | |||
pragma solidity ^0.8.20; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Update Solidity pragma version for broader compatibility
Consider using a caret (^
) pragma to allow for future compatible compiler versions. Changing pragma solidity ^0.8.20;
to pragma solidity ^0.8.0;
can increase the range of compiler versions that can be used, providing more flexibility for developers.
Apply this change:
-pragma solidity ^0.8.20;
+pragma solidity ^0.8.0;
Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
pragma solidity ^0.8.20; | |
pragma solidity ^0.8.0; |
// SPDX-License-Identifier: MIT | ||
pragma solidity ^0.8.20; | ||
|
||
import {IFastBridge} from "./IFastBridge.sol"; | ||
|
||
interface IFastBridgeV2 is IFastBridge { | ||
|
||
/// @notice Relays destination side of bridge transaction by off-chain relayer | ||
/// @param request The encoded bridge transaction to relay on destination chain | ||
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | ||
function relay(bytes memory request, address relayer) external payable; | ||
|
||
/// @notice Provides proof on origin side that relayer provided funds on destination side of bridge transaction | ||
/// @param request The encoded bridge transaction to prove on origin chain | ||
/// @param destTxHash The destination tx hash proving bridge transaction was relayed | ||
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | ||
function prove(bytes memory request, bytes32 destTxHash, address relayer) external; | ||
|
||
/// @notice Completes bridge transaction on origin chain by claiming originally deposited capital. Can only send funds to the relayer address on the proof. | ||
/// @param request The encoded bridge transaction to claim on origin chain | ||
function claim(bytes memory request) external; | ||
|
||
} |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Add events for important state-changing functions
Interfaces often include event declarations for significant actions to enhance transparency and enable off-chain monitoring. Consider adding events for the relay
, prove
, and claim
functions to allow tracking when these actions occur in the implementing contracts.
Apply the following changes to declare events:
interface IFastBridgeV2 is IFastBridge {
+ /// @notice Emitted when a relay is initiated
+ /// @param request The encoded bridge transaction relayed
+ /// @param relayer The address of the relayer
+ event RelayInitiated(bytes indexed request, address indexed relayer);
/// @notice Relays destination side of bridge transaction by off-chain relayer
/// @param request The encoded bridge transaction to relay on destination chain
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed
function relay(bytes memory request, address relayer) external payable;
+ /// @notice Emitted when a proof is submitted
+ /// @param request The encoded bridge transaction proved
+ /// @param destTxHash The destination transaction hash
+ /// @param relayer The address of the relayer
+ event ProofSubmitted(bytes indexed request, bytes32 indexed destTxHash, address indexed relayer);
/// @notice Provides proof on origin side that relayer provided funds on destination side of bridge transaction
/// @param request The encoded bridge transaction to prove on origin chain
/// @param destTxHash The destination tx hash proving bridge transaction was relayed
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed
function prove(bytes memory request, bytes32 destTxHash, address relayer) external;
+ /// @notice Emitted when a claim is made
+ /// @param request The encoded bridge transaction claimed
+ /// @param claimant The address of the claimant
+ event ClaimMade(bytes indexed request, address indexed claimant);
/// @notice Completes bridge transaction on origin chain by claiming originally deposited capital. Can only send funds to the relayer address on the proof.
/// @param request The encoded bridge transaction to claim on origin chain
function claim(bytes memory request) external;
}
Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
// SPDX-License-Identifier: MIT | |
pragma solidity ^0.8.20; | |
import {IFastBridge} from "./IFastBridge.sol"; | |
interface IFastBridgeV2 is IFastBridge { | |
/// @notice Relays destination side of bridge transaction by off-chain relayer | |
/// @param request The encoded bridge transaction to relay on destination chain | |
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | |
function relay(bytes memory request, address relayer) external payable; | |
/// @notice Provides proof on origin side that relayer provided funds on destination side of bridge transaction | |
/// @param request The encoded bridge transaction to prove on origin chain | |
/// @param destTxHash The destination tx hash proving bridge transaction was relayed | |
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | |
function prove(bytes memory request, bytes32 destTxHash, address relayer) external; | |
/// @notice Completes bridge transaction on origin chain by claiming originally deposited capital. Can only send funds to the relayer address on the proof. | |
/// @param request The encoded bridge transaction to claim on origin chain | |
function claim(bytes memory request) external; | |
} | |
// SPDX-License-Identifier: MIT | |
pragma solidity ^0.8.20; | |
import {IFastBridge} from "./IFastBridge.sol"; | |
interface IFastBridgeV2 is IFastBridge { | |
/// @notice Emitted when a relay is initiated | |
/// @param request The encoded bridge transaction relayed | |
/// @param relayer The address of the relayer | |
event RelayInitiated(bytes indexed request, address indexed relayer); | |
/// @notice Relays destination side of bridge transaction by off-chain relayer | |
/// @param request The encoded bridge transaction to relay on destination chain | |
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | |
function relay(bytes memory request, address relayer) external payable; | |
/// @notice Emitted when a proof is submitted | |
/// @param request The encoded bridge transaction proved | |
/// @param destTxHash The destination transaction hash | |
/// @param relayer The address of the relayer | |
event ProofSubmitted(bytes indexed request, bytes32 indexed destTxHash, address indexed relayer); | |
/// @notice Provides proof on origin side that relayer provided funds on destination side of bridge transaction | |
/// @param request The encoded bridge transaction to prove on origin chain | |
/// @param destTxHash The destination tx hash proving bridge transaction was relayed | |
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | |
function prove(bytes memory request, bytes32 destTxHash, address relayer) external; | |
/// @notice Emitted when a claim is made | |
/// @param request The encoded bridge transaction claimed | |
/// @param claimant The address of the claimant | |
event ClaimMade(bytes indexed request, address indexed claimant); | |
/// @notice Completes bridge transaction on origin chain by claiming originally deposited capital. Can only send funds to the relayer address on the proof. | |
/// @param request The encoded bridge transaction to claim on origin chain | |
function claim(bytes memory request) external; | |
} |
/// @notice Relay function is no longer permissioned, so we skip this test | ||
function test_failedRelayNotRelayer() public virtual override { | ||
vm.skip(true); | ||
} |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Consider removing obsolete test instead of skipping it
The test test_failedRelayNotRelayer
is skipped because the relay function is no longer permissioned. To keep the test suite clean and maintainable, consider removing this test entirely if it's no longer relevant.
function claim(bytes memory request) external { | ||
claim(request, address(0)); | ||
} | ||
|
||
/// @inheritdoc IFastBridge | ||
function claim(bytes memory request, address to) public { | ||
bytes32 transactionId = keccak256(request); | ||
BridgeTransaction memory transaction = getBridgeTransaction(request); | ||
|
||
// update bridge tx status if able to claim origin collateral | ||
if (bridgeStatuses[transactionId] != BridgeStatus.RELAYER_PROVED) revert StatusIncorrect(); | ||
|
||
BridgeProof memory proof = bridgeProofs[transactionId]; | ||
|
||
// if "to" is zero addr, permissionlessly send funds to proven relayer | ||
if (to == address(0)) { | ||
to = proof.relayer; | ||
} else if (proof.relayer != msg.sender) { | ||
revert SenderIncorrect(); | ||
} | ||
|
||
if (_timeSince(proof) <= DISPUTE_PERIOD) revert DisputePeriodNotPassed(); | ||
|
||
bridgeStatuses[transactionId] = BridgeStatus.RELAYER_CLAIMED; | ||
|
||
// update protocol fees if origin fee amount exists | ||
if (transaction.originFeeAmount > 0) protocolFees[transaction.originToken] += transaction.originFeeAmount; | ||
|
||
// transfer origin collateral less fee to specified address | ||
address token = transaction.originToken; | ||
uint256 amount = transaction.originAmount; | ||
token.universalTransfer(to, amount); | ||
|
||
emit BridgeDepositClaimed(transactionId, proof.relayer, to, token, amount); | ||
} |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Simplify Recipient Logic in claim
Function
The recipient logic in the claim
function adds complexity and could be streamlined.
Recommendation:
Standardize the recipient to be the proof.relayer
to reduce conditional checks.
function claim(bytes memory request) external {
- claim(request, address(0));
+ claim(request);
}
- function claim(bytes memory request, address to) public {
+ function claim(bytes memory request) public {
bytes32 transactionId = keccak256(request);
BridgeTransaction memory transaction = getBridgeTransaction(request);
// existing code
- if (to == address(0)) {
- to = proof.relayer;
- } else if (proof.relayer != msg.sender) {
- revert SenderIncorrect();
- }
+ address to = proof.relayer;
// existing code
}
Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
function claim(bytes memory request) external { | |
claim(request, address(0)); | |
} | |
/// @inheritdoc IFastBridge | |
function claim(bytes memory request, address to) public { | |
bytes32 transactionId = keccak256(request); | |
BridgeTransaction memory transaction = getBridgeTransaction(request); | |
// update bridge tx status if able to claim origin collateral | |
if (bridgeStatuses[transactionId] != BridgeStatus.RELAYER_PROVED) revert StatusIncorrect(); | |
BridgeProof memory proof = bridgeProofs[transactionId]; | |
// if "to" is zero addr, permissionlessly send funds to proven relayer | |
if (to == address(0)) { | |
to = proof.relayer; | |
} else if (proof.relayer != msg.sender) { | |
revert SenderIncorrect(); | |
} | |
if (_timeSince(proof) <= DISPUTE_PERIOD) revert DisputePeriodNotPassed(); | |
bridgeStatuses[transactionId] = BridgeStatus.RELAYER_CLAIMED; | |
// update protocol fees if origin fee amount exists | |
if (transaction.originFeeAmount > 0) protocolFees[transaction.originToken] += transaction.originFeeAmount; | |
// transfer origin collateral less fee to specified address | |
address token = transaction.originToken; | |
uint256 amount = transaction.originAmount; | |
token.universalTransfer(to, amount); | |
emit BridgeDepositClaimed(transactionId, proof.relayer, to, token, amount); | |
} | |
function claim(bytes memory request) external { | |
claim(request); | |
} | |
/// @inheritdoc IFastBridge | |
function claim(bytes memory request) public { | |
bytes32 transactionId = keccak256(request); | |
BridgeTransaction memory transaction = getBridgeTransaction(request); | |
// update bridge tx status if able to claim origin collateral | |
if (bridgeStatuses[transactionId] != BridgeStatus.RELAYER_PROVED) revert StatusIncorrect(); | |
BridgeProof memory proof = bridgeProofs[transactionId]; | |
address to = proof.relayer; | |
if (_timeSince(proof) <= DISPUTE_PERIOD) revert DisputePeriodNotPassed(); | |
bridgeStatuses[transactionId] = BridgeStatus.RELAYER_CLAIMED; | |
// update protocol fees if origin fee amount exists | |
if (transaction.originFeeAmount > 0) protocolFees[transaction.originToken] += transaction.originFeeAmount; | |
// transfer origin collateral less fee to specified address | |
address token = transaction.originToken; | |
uint256 amount = transaction.originAmount; | |
token.universalTransfer(to, amount); | |
emit BridgeDepositClaimed(transactionId, proof.relayer, to, token, amount); | |
} |
function relay(bytes memory request, address relayer) public payable { | ||
bytes32 transactionId = keccak256(request); | ||
BridgeTransaction memory transaction = getBridgeTransaction(request); | ||
if (transaction.destChainId != uint32(block.chainid)) revert ChainIncorrect(); | ||
|
||
// check haven't exceeded deadline for relay to happen | ||
if (block.timestamp > transaction.deadline) revert DeadlineExceeded(); | ||
|
||
// mark bridge transaction as relayed | ||
if (bridgeRelays[transactionId]) revert TransactionRelayed(); | ||
bridgeRelays[transactionId] = true; | ||
|
||
// transfer tokens to recipient on destination chain and gas rebate if requested | ||
address to = transaction.destRecipient; | ||
address token = transaction.destToken; | ||
uint256 amount = transaction.destAmount; | ||
|
||
uint256 rebate = chainGasAmount; | ||
if (!transaction.sendChainGas) { | ||
// forward erc20 | ||
rebate = 0; | ||
_pullToken(to, token, amount); | ||
} else if (token == UniversalTokenLib.ETH_ADDRESS) { | ||
// lump in gas rebate into amount in native gas token | ||
_pullToken(to, token, amount + rebate); | ||
} else { | ||
// forward erc20 then forward gas rebate in native gas token | ||
_pullToken(to, token, amount); | ||
_pullToken(to, UniversalTokenLib.ETH_ADDRESS, rebate); | ||
} | ||
|
||
emit BridgeRelayed( | ||
transactionId, | ||
relayer, | ||
to, | ||
transaction.originChainId, | ||
transaction.originToken, | ||
transaction.destToken, | ||
transaction.originAmount, | ||
transaction.destAmount, | ||
rebate | ||
); | ||
} |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Restrict relayer
Parameter in relay
Function
The relay
function allows callers to specify any relayer
address, which could lead to misrepresentation or misuse.
Recommendation:
Restrict the relayer
to msg.sender
to ensure the correct relayer is recorded.
- function relay(bytes memory request, address relayer) public payable {
+ function relay(bytes memory request) public payable {
+ address relayer = msg.sender;
// existing code
}
Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
function relay(bytes memory request, address relayer) public payable { | |
bytes32 transactionId = keccak256(request); | |
BridgeTransaction memory transaction = getBridgeTransaction(request); | |
if (transaction.destChainId != uint32(block.chainid)) revert ChainIncorrect(); | |
// check haven't exceeded deadline for relay to happen | |
if (block.timestamp > transaction.deadline) revert DeadlineExceeded(); | |
// mark bridge transaction as relayed | |
if (bridgeRelays[transactionId]) revert TransactionRelayed(); | |
bridgeRelays[transactionId] = true; | |
// transfer tokens to recipient on destination chain and gas rebate if requested | |
address to = transaction.destRecipient; | |
address token = transaction.destToken; | |
uint256 amount = transaction.destAmount; | |
uint256 rebate = chainGasAmount; | |
if (!transaction.sendChainGas) { | |
// forward erc20 | |
rebate = 0; | |
_pullToken(to, token, amount); | |
} else if (token == UniversalTokenLib.ETH_ADDRESS) { | |
// lump in gas rebate into amount in native gas token | |
_pullToken(to, token, amount + rebate); | |
} else { | |
// forward erc20 then forward gas rebate in native gas token | |
_pullToken(to, token, amount); | |
_pullToken(to, UniversalTokenLib.ETH_ADDRESS, rebate); | |
} | |
emit BridgeRelayed( | |
transactionId, | |
relayer, | |
to, | |
transaction.originChainId, | |
transaction.originToken, | |
transaction.destToken, | |
transaction.originAmount, | |
transaction.destAmount, | |
rebate | |
); | |
} | |
function relay(bytes memory request) public payable { | |
address relayer = msg.sender; | |
bytes32 transactionId = keccak256(request); | |
BridgeTransaction memory transaction = getBridgeTransaction(request); | |
if (transaction.destChainId != uint32(block.chainid)) revert ChainIncorrect(); | |
// check haven't exceeded deadline for relay to happen | |
if (block.timestamp > transaction.deadline) revert DeadlineExceeded(); | |
// mark bridge transaction as relayed | |
if (bridgeRelays[transactionId]) revert TransactionRelayed(); | |
bridgeRelays[transactionId] = true; | |
// transfer tokens to recipient on destination chain and gas rebate if requested | |
address to = transaction.destRecipient; | |
address token = transaction.destToken; | |
uint256 amount = transaction.destAmount; | |
uint256 rebate = chainGasAmount; | |
if (!transaction.sendChainGas) { | |
// forward erc20 | |
rebate = 0; | |
_pullToken(to, token, amount); | |
} else if (token == UniversalTokenLib.ETH_ADDRESS) { | |
// lump in gas rebate into amount in native gas token | |
_pullToken(to, token, amount + rebate); | |
} else { | |
// forward erc20 then forward gas rebate in native gas token | |
_pullToken(to, token, amount); | |
_pullToken(to, UniversalTokenLib.ETH_ADDRESS, rebate); | |
} | |
emit BridgeRelayed( | |
transactionId, | |
relayer, | |
to, | |
transaction.originChainId, | |
transaction.originToken, | |
transaction.destToken, | |
transaction.originAmount, | |
transaction.destAmount, | |
rebate | |
); | |
} |
expectUnauthorized(caller, fastBridge.RELAYER_ROLE()); | ||
prove({caller: caller, bridgeTx: tokenTx, destTxHash: hex"01"}); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Ensure expectUnauthorized
is defined or replace it
At line 365, expectUnauthorized
is used but may not be defined in the provided context. This could lead to test failures.
If expectUnauthorized
is not defined, consider adding its implementation or replacing it with an appropriate assertion from the testing framework.
function assertEq(FastBridgeV2.BridgeStatus a, FastBridgeV2.BridgeStatus b) public pure { | ||
assertEq(uint8(a), uint8(b)); | ||
} |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Avoid potential recursive call in assertEq
function
In the assertEq
function, calling assertEq
within itself may lead to unintended recursion. Ensure that you are invoking the correct assertion method from the testing framework.
Specify the contract or library when calling assertEq
to avoid confusion:
-function assertEq(FastBridgeV2.BridgeStatus a, FastBridgeV2.BridgeStatus b) public pure {
+function assertEq(FastBridgeV2.BridgeStatus a, FastBridgeV2.BridgeStatus b) public {
+ super.assertEq(uint8(a), uint8(b));
}
Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
function assertEq(FastBridgeV2.BridgeStatus a, FastBridgeV2.BridgeStatus b) public pure { | |
assertEq(uint8(a), uint8(b)); | |
} | |
function assertEq(FastBridgeV2.BridgeStatus a, FastBridgeV2.BridgeStatus b) public { | |
super.assertEq(uint8(a), uint8(b)); | |
} |
vm.expectEmit(address(fastBridge)); | ||
// Note: BridgeProofDisputed event has a mislabeled address parameter, this is actually the guard | ||
emit BridgeProofDisputed({transactionId: txId, relayer: guard}); | ||
} |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Correct the mislabeled parameter in the BridgeProofDisputed
event
At line 157, the BridgeProofDisputed
event parameter relayer
actually represents the guard
. For clarity and maintainability, consider renaming the parameter to accurately reflect its purpose.
Apply this diff to fix the parameter name:
-event BridgeProofDisputed(bytes32 indexed transactionId, address indexed relayer);
+event BridgeProofDisputed(bytes32 indexed transactionId, address indexed guard);
Committable suggestion was skipped due to low confidence.
Codecov ReportAll modified and coverable lines are covered by tests ✅
Additional details and impacted files@@ Coverage Diff @@
## master #3138 +/- ##
===================================================
+ Coverage 37.95009% 38.40049% +0.45039%
===================================================
Files 418 424 +6
Lines 24245 24445 +200
Branches 82 146 +64
===================================================
+ Hits 9201 9387 +186
- Misses 14306 14314 +8
- Partials 738 744 +6
Flags with carried forward coverage won't be shown. Click here to find out more. ☔ View full report in Codecov by Sentry. |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Actionable comments posted: 16
Outside diff range and nitpick comments (8)
packages/contracts-rfq/test/FastBridgeV2.Src.ProtocolFees.t.sol (1)
6-6
: Consider Removing Unnecessary Solhint Rule SuppressionThe comment
// solhint-disable func-name-mixedcase, ordering
disables linting rules that help maintain code consistency and style conventions. If the functions in this contract adhere to standard naming and ordering practices, consider removing this suppression to enforce linting and improve code quality.packages/contracts-rfq/test/FastBridgeV2.Parity.t.sol (3)
15-18
: Consider removing or updating the skipped testSince the
relay
function is no longer permissioned, the testtest_failedRelayNotRelayer
is no longer applicable. Consider removing this test or updating it to reflect the new behavior to keep the test suite clean and maintainable.
20-24
: Consider removing or updating the skipped testThe
test_failedClaimNotRelayer
is skipped because theclaim
function is no longer permissioned by role. To maintain a clean test suite, consider removing this test or updating it to test relevant scenarios under the new permissioning logic.
29-29
: Review the necessity ofsetUpRoles()
in the updated testSince the
claim
function is no longer permissioned by roles, the call tosetUpRoles();
may be unnecessary. Consider removing it if it's no longer needed to streamline the test and avoid confusion.packages/contracts-rfq/test/FastBridgeV2.t.sol (1)
14-121
: Add concrete test functions toFastBridgeV2Test
The
FastBridgeV2Test
contract currently lacks concrete test cases. While it sets up the testing environment, adding test functions (prefixed withtest
) is essential to validate theFastBridgeV2
contract's functionality. This will improve test coverage and ensure that all features work as intended.Would you like assistance in creating initial test cases to validate core functionalities such as bridging tokens, handling ETH transfers, and enforcing access controls?
packages/contracts-rfq/contracts/FastBridgeV2.sol (1)
26-32
: Consider Documenting theBridgeStatus
Enum ValuesWhile the
BridgeStatus
enum is self-explanatory, adding more detailed comments can improve code readability and maintainability.Consider adding inline comments for each enum value to describe the state transitions and their implications.
packages/contracts-rfq/test/FastBridgeV2.Src.t.sol (1)
227-228
: Address the skipped tests marked with TODO commentsThe following tests are currently skipped with TODO comments:
test_bridge_userSpecificNonce
(lines 227-228)test_bridge_revert_zeroSender
(lines 286-287)test_bridge_revert_zeroRecipient
(lines 293-294)test_refund_revert_statusNull
(lines 803-804)test_refund_revert_statusProven
(lines 809-810)test_refund_revert_statusClaimed
(lines 817-818)test_refund_revert_statusRefunded
(lines 826-827)Completing these tests will enhance code coverage and ensure that all scenarios are properly validated.
Would you like assistance in implementing these tests or opening GitHub issues to track these tasks?
Also applies to: 286-287, 293-294, 803-804, 809-810, 817-818, 826-827
packages/contracts-rfq/contracts/interfaces/IFastBridgeV2.sol (1)
21-21
: Maintain consistency in parameter usage across functionsThe
claim
function does not accept arelayer
parameter, unlikerelay
andprove
. For consistency and clarity, consider including therelayer
parameter inclaim
, or update the documentation to explain why it is unnecessary.
Review details
Configuration used: .coderabbit.yaml
Review profile: CHILL
Files selected for processing (19)
- .vscode/settings.json (1 hunks)
- packages/contracts-rfq/contracts/Admin.sol (1 hunks)
- packages/contracts-rfq/contracts/FastBridgeV2.sol (1 hunks)
- packages/contracts-rfq/contracts/interfaces/IAdmin.sol (1 hunks)
- packages/contracts-rfq/contracts/interfaces/IFastBridge.sol (1 hunks)
- packages/contracts-rfq/contracts/interfaces/IFastBridgeV2.sol (1 hunks)
- packages/contracts-rfq/contracts/interfaces/IMulticallTarget.sol (1 hunks)
- packages/contracts-rfq/contracts/libs/Errors.sol (1 hunks)
- packages/contracts-rfq/contracts/libs/UniversalToken.sol (1 hunks)
- packages/contracts-rfq/contracts/utils/MulticallTarget.sol (1 hunks)
- packages/contracts-rfq/script/ConfigureFastBridge.s.sol (1 hunks)
- packages/contracts-rfq/script/DeployFastBridge.CREATE2.s.sol (1 hunks)
- packages/contracts-rfq/test/FastBridge.t.sol (4 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Dst.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Management.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Parity.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Src.ProtocolFees.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.Src.t.sol (1 hunks)
- packages/contracts-rfq/test/FastBridgeV2.t.sol (1 hunks)
Files skipped from review due to trivial changes (9)
- packages/contracts-rfq/contracts/Admin.sol
- packages/contracts-rfq/contracts/interfaces/IAdmin.sol
- packages/contracts-rfq/contracts/interfaces/IFastBridge.sol
- packages/contracts-rfq/contracts/interfaces/IMulticallTarget.sol
- packages/contracts-rfq/contracts/libs/Errors.sol
- packages/contracts-rfq/contracts/libs/UniversalToken.sol
- packages/contracts-rfq/contracts/utils/MulticallTarget.sol
- packages/contracts-rfq/script/ConfigureFastBridge.s.sol
- packages/contracts-rfq/script/DeployFastBridge.CREATE2.s.sol
Additional comments not posted (14)
.vscode/settings.json (1)
21-21
: Ensure Solidity codebase compatibility with compiler version 0.8.24Upgrading the compiler to Solidity
v0.8.24
is beneficial, but please verify that all Solidity files in the codebase are compatible with this version. Specifically, check that the pragma statements do not restrict the compiler version below0.8.24
.Run the following script to identify any Solidity files with pragma statements that may not be compatible:
Verification successful
Compiler upgrade to v0.8.24 is compatible with the codebase
The change to use Solidity compiler version 0.8.24 in .vscode/settings.json is safe and compatible with the existing codebase. No files explicitly restrict the compiler version to below 0.8.24, allowing for this upgrade.
However, please note:
- Many files use lower versions (e.g., 0.8.17, 0.8.20) but don't have upper bounds preventing 0.8.24 usage.
- Some files use older versions (0.6.x, 0.7.x). While they don't conflict with the 0.8.24 setting, they may need careful review for compatibility in the future.
Recommendation: Proceed with the compiler upgrade, but consider gradually updating older files to newer Solidity versions in future maintenance tasks.
Scripts executed
The following scripts were executed for the analysis:
Script:
#!/bin/bash # Description: Find Solidity files with pragma statements restricting the compiler version below 0.8.24. # Expected: No files should have an upper version limit below 0.8.24. # Search for pragma statements with a maximum version less than 0.8.24 rg --type solidity --no-filename --no-heading --line-number "pragma solidity [\^<>= ]+0\.8\.[0-9]+" # Confirm that none of the pragma statements impose an upper limit below 0.8.24 rg --type solidity --no-filename --no-heading --line-number "pragma solidity .*< *0\.8\.24"Length of output: 261
Script:
#!/bin/bash # Find Solidity files solidity_files=$(fd -e sol) if [ -z "$solidity_files" ]; then echo "No Solidity files found in the repository." else echo "Solidity files found. Checking pragma statements:" echo "$solidity_files" | while read -r file; do echo "File: $file" grep -n "pragma solidity" "$file" || echo "No pragma statement found" done fi # Check for pragma statements with version restrictions echo -e "\nChecking for version restrictions:" if [ -n "$solidity_files" ]; then grep -n "pragma solidity" $(echo "$solidity_files") | grep -E "< *0\.8\.24" fiLength of output: 156771
packages/contracts-rfq/test/FastBridgeV2.Src.ProtocolFees.t.sol (2)
8-12
: FastBridge Configuration is Correctly Set Up [Approved]The
configureFastBridge
function appropriately calls the parent implementation and correctly sets up the testing environment by:
- Granting the
GOVERNOR_ROLE
to the contract itself, which is necessary for governance actions within the test.- Setting the protocol fee rate to
1e4
, which represents 1% if the fee rate is measured in parts per million (PPM). This is appropriate for testing the protocol fee functionality.
14-24
: Fixture Creation Correctly Initializes Test Parameters [Approved]The
createFixtures
function successfully initializes the transaction parameters for both token and ETH transactions. The values assigned are:
- Origin fee amounts (
0.01e6
for tokens and0.01 ether
for ETH), representing 1% fees.- Origin amounts (
0.99e6
for tokens and0.99 ether
for ETH), which, combined with the fee amounts, total the full transaction amounts.- Destination amounts (
0.98e6
for tokens and0.98 ether
for ETH), reflecting the deduction of fees.This setup is logical and ensures comprehensive testing of the protocol's fee handling and transaction processing under defined conditions.
packages/contracts-rfq/test/FastBridgeV2.Parity.t.sol (1)
10-13
: Deployment ofFastBridgeV2
contract is correctly handledThe
deployFastBridge()
function correctly deploys theFastBridgeV2
contract using the cheatcode, ensuring compatibility between Solidity versions during testing.packages/contracts-rfq/test/FastBridgeV2.t.sol (2)
114-116
: Validate the correctness ofexpectUnauthorized
revert expectationThe
expectUnauthorized
function anticipates a revert with theAccessControlUnauthorizedAccount
selector. Ensure that this selector matches the actual revert reason emitted by theAccessControl
contract when unauthorized access is attempted. This guarantees that the test accurately captures unauthorized access scenarios.Run the following script to verify the revert reason:
Verification successful
Verification successful:
expectUnauthorized
correctly anticipates AccessControlUnauthorizedAccount revertThe
expectUnauthorized
function correctly anticipates theAccessControlUnauthorizedAccount
revert. This revert is consistently implemented across the AccessControl contracts in the codebase, matching the selector used in the test function.Key findings:
- The exact revert statement
revert AccessControlUnauthorizedAccount(account, role);
is present in the AccessControl implementations.- The test correctly imports IAccessControl from OpenZeppelin:
import {IAccessControl} from "@openzeppelin/contracts/access/IAccessControl.sol";
- The selector usage
IAccessControl.AccessControlUnauthorizedAccount.selector
in the test matches the actual implementation.This verification confirms that the test accurately captures unauthorized access scenarios as intended.
Scripts executed
The following scripts were executed for the analysis:
Script:
#!/bin/bash # Description: Confirm that AccessControl emits AccessControlUnauthorizedAccount on unauthorized access. # Test: Search for the revert statement in AccessControl contract. Expect: Matches the selector used. rg --type solidity 'revert.+AccessControlUnauthorizedAccount' --ignore-caseLength of output: 108
Script:
#!/bin/bash # Description: Find AccessControlUnauthorizedAccount revert in Solidity files # Search for .sol files and grep for AccessControlUnauthorizedAccount fd -e sol -x grep -n -i 'revert.*AccessControlUnauthorizedAccount' {} # Search for import statements related to AccessControl fd -e sol -x grep -n 'import.*AccessControl' {} # Look for AccessControl implementation fd -e sol -x grep -n 'contract AccessControl' {}Length of output: 2455
110-112
: Ensure consistent hashing ingetTxId
for transaction identificationThe
getTxId
function useskeccak256(abi.encode(bridgeTx))
to compute the transaction ID. If any of the fields inBridgeTransaction
are of dynamic types (likebytes
orstring
), the hashing might produce inconsistent results due to how dynamic types are encoded. Verify that all fields inBridgeTransaction
are of fixed-size types to ensure consistent and collision-resistant hashing.To confirm the types within
BridgeTransaction
, run the following script:packages/contracts-rfq/contracts/FastBridgeV2.sol (3)
52-70
: Ensure Safe Handling of Token Transfers in_pullToken
FunctionThe
_pullToken
function handles token transfers and includes logic to account for tokens with transfer fees or deflationary tokens. Ensure that the calculation ofamountPulled
accurately reflects the actual tokens received, especially after thesafeTransferFrom
call.Please verify that the balance difference calculation correctly accounts for tokens with transfer fees:
amountPulled = IERC20(token).balanceOf(recipient) - amountPulled;This ensures the contract is aware of the exact amount received.
226-233
: Reassess Access Control Logic inclaim
FunctionThe
claim
function allows any caller to claim funds ifto
is the zero address or ifmsg.sender
matches theproof.relayer
. This might unintentionally permit unauthorized users to claim funds.Please verify that the access control meets the intended design and that only authorized entities can claim the funds. Consider restricting the function to only allow the relayer to call it or adding additional checks.
183-190
: Ensure Role Management for Relayers inprove
FunctionThe
prove
function usesonlyRole(RELAYER_ROLE)
to restrict access. Ensure that the role management forRELAYER_ROLE
is properly set up and that only trusted relayers are assigned this role.Please confirm that roles are correctly assigned and managed, possibly by providing documentation or comments on how roles are handled in the
Admin
contract.packages/contracts-rfq/test/FastBridgeV2.Src.t.sol (1)
401-411
: Verify the handling ofaddress(0)
inclaim
functionsIn
test_claim_token_permissionless_toZeroAddress
(lines 401-411) andtest_claim_eth_permissionless_toZeroAddress
(lines 468-479), theto
parameter in theclaim
function is passed asaddress(0)
. However, theexpectBridgeDepositClaimed
function expects theto
address to berelayerA
. Ensure that passingaddress(0)
behaves as intended and that theto
address defaults torelayerA
or is handled appropriately.Run the following script to find all instances where
claim
is called withto
asaddress(0)
and verify the behavior:Also applies to: 468-479
Verification successful
Handling of
address(0)
inclaim
functions is correctly testedThe test cases
test_claim_token_permissionless_toZeroAddress
andtest_claim_eth_permissionless_toZeroAddress
are correctly designed to verify the handling ofaddress(0)
in theclaim
function. The apparent discrepancy between theexpectBridgeDepositClaimed
andclaim
function parameters is intentional and part of the test design.The tests suggest that the
claim
function likely has internal logic to handle cases whereto
isaddress(0)
, defaulting to the relayer's address. This is evidenced by:
expectBridgeDepositClaimed
is called withto: relayerA
claim
is then called withto: address(0)
- Subsequent assertions check for successful claim and correct balance updates
To fully verify this behavior:
- Review the implementation of the
claim
function to confirm the handling ofaddress(0)
cases.- Ensure that the
FastBridgeV2
contract documentation clearly explains this behavior.Scripts executed
The following scripts were executed for the analysis:
Script:
#!/bin/bash # Description: Find instances of `claim` function calls with `to: address(0)` rg --type solidity -A 5 $'claim({caller: $_, bridgeTx: $_, to: address(0)})'Length of output: 208
Script:
#!/bin/bash # Description: Find instances of `claim` function calls with `to: address(0)` rg --type solidity -A 5 'claim\s*\(\s*\{.*to:\s*address\(0\).*\}\s*\)'Length of output: 105
Script:
#!/bin/bash # Description: Find instances of `claim` function calls with `to: address(0)` in .sol files rg -g '*.sol' -A 5 'claim\s*\(.*to:\s*address\(0\).*\)'Length of output: 1210
Script:
#!/bin/bash # Description: Find the full context of the test functions including the expectBridgeDepositClaimed calls rg -g '*.sol' -A 15 'function test_claim_(token|eth)_permissionless_toZeroAddress'Length of output: 3502
packages/contracts-rfq/test/FastBridge.t.sol (3)
1304-1304
: Approving addition ofvirtual
keyword for test functionsAdding
virtual
totest_failedRelayNotRelayer()
allows derived test contracts to override this test, enhancing flexibility in the test suite.
1649-1649
: Approving addition ofvirtual
keyword for test functionsBy making
test_failedClaimNotOldRelayer()
virtual, you enable derived test contracts to override and customize this test as needed.
1686-1686
: Approving addition ofvirtual
keyword for test functionsThe
virtual
keyword ontest_failedClaimNotRelayer()
permits overriding in derived contracts, enhancing extensibility of your tests.packages/contracts-rfq/contracts/interfaces/IFastBridgeV2.sol (1)
6-6
: InterfaceIFastBridgeV2
correctly extendsIFastBridge
Extending
IFastBridge
ensures compatibility with existing bridge functionalities and promotes code reuse.
|
||
// solhint-disable func-name-mixedcase, ordering | ||
contract FastBridgeV2ManagementTest is FastBridgeV2Test { | ||
uint256 public constant FEE_RATE_MAX = 1e4; // 1% |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Possible Misalignment of FEE_RATE_MAX
Value and Comment
The FEE_RATE_MAX
is set to 1e4
, which equals 10000
. The comment indicates this represents 1%
. Typically, a value of 10000
represents 100%
when using basis points. If the intended maximum fee rate is 1%
, consider adjusting the value to 100
.
Apply this diff to correct the value or the comment:
- uint256 public constant FEE_RATE_MAX = 1e4; // 1%
+ uint256 public constant FEE_RATE_MAX = 100; // 1%
Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
uint256 public constant FEE_RATE_MAX = 1e4; // 1% | |
uint256 public constant FEE_RATE_MAX = 100; // 1% |
uint256 originFeeAmount; | ||
if (protocolFeeRate > 0) originFeeAmount = (originAmount * protocolFeeRate) / FEE_BPS; | ||
originAmount -= originFeeAmount; // remove from amount used in request as not relevant for relayers |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Declare Missing Variables and Constants Used in Calculations
The variables protocolFeeRate
, FEE_BPS
, protocolFees
, and chainGasAmount
are used but not declared in the contract. This will result in compilation errors.
Please declare these variables and constants. For example:
+uint256 public protocolFeeRate; // Fee rate set by the protocol
+uint256 public constant FEE_BPS = 10_000; // Basis points for fee calculation
+mapping(address => uint256) public protocolFees; // Accumulated protocol fees per token
+uint256 public chainGasAmount; // Gas amount for cross-chain transactions
Also applies to: 150-151, 240-240
/// @notice Relays destination side of bridge transaction by off-chain relayer | ||
/// @param request The encoded bridge transaction to relay on destination chain | ||
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | ||
function relay(bytes memory request, address relayer) external payable; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Review the necessity of passing relayer
as a parameter
Passing the relayer
address explicitly in the relay
function may introduce security risks. Since any caller could specify an arbitrary relayer
address, consider using msg.sender
as the relayer to ensure that the entity initiating the relay is correctly associated.
/// @param request The encoded bridge transaction to prove on origin chain | ||
/// @param destTxHash The destination tx hash proving bridge transaction was relayed | ||
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | ||
function prove(bytes memory request, bytes32 destTxHash, address relayer) external; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Validate the relayer
parameter in prove
function
Similar to the relay
function, passing relayer
as a parameter in prove
could allow malicious actors to misrepresent the relayer's identity. Ensure that the implementation validates the authenticity of the relayer
address or considers using msg.sender
instead.
/// @notice Relays destination side of bridge transaction by off-chain relayer | ||
/// @param request The encoded bridge transaction to relay on destination chain | ||
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | ||
function relay(bytes memory request, address relayer) external payable; | ||
|
||
/// @notice Provides proof on origin side that relayer provided funds on destination side of bridge transaction | ||
/// @param request The encoded bridge transaction to prove on origin chain | ||
/// @param destTxHash The destination tx hash proving bridge transaction was relayed | ||
/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed | ||
function prove(bytes memory request, bytes32 destTxHash, address relayer) external; | ||
|
||
/// @notice Completes bridge transaction on origin chain by claiming originally deposited capital. Can only send funds to the relayer address on the proof. | ||
/// @param request The encoded bridge transaction to claim on origin chain | ||
function claim(bytes memory request) external; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Enhance function documentation for clarity
The function comments can be improved to provide clearer guidance:
- Specify the expected behavior and any assumptions.
- Clarify the roles and responsibilities of the caller and the
relayer
. - Highlight any security considerations or requirements.
Consider revising the documentation as follows:
For relay
:
/// @notice Relays the destination side of a bridge transaction by an off-chain relayer.
/// @param request The encoded bridge transaction to relay on the destination chain.
-/// @param relayer The address of the relaying entity which should have control of the origin funds when claimed.
+/// @param relayer The address of the relayer. This address should control the origin funds when claimed to ensure secure transactions.
Apply similar enhancements to the prove
and claim
function comments.
Committable suggestion was skipped due to low confidence.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Highlighting some final nits before merging
@parodime let's also merge latest master here to get the CI workflows to work |
* update bl * remove global solidity extension settings * use monorepo support in global workspace only * - use Solidity extension for formatting *.sol files - use `forge fmt` as formatter in Solidity extension * REST API Improvements [SLT-179] (#3133) * fix swaptxinfo function * Updates test coverage command * migrating to using token addresses instead of symbols * fix linting errors * fixing swaptxinfocontroller * new tests and new functionality --------- Co-authored-by: abtestingalpha <abtestingalpha@gmail.com> * Publish - @synapsecns/rest-api@1.0.75 - @synapsecns/synapse-interface@0.38.4 * fix harmony proxy (#3149) Co-authored-by: Trajan0x <trajan0x@users.noreply.github.com> * merging rfq indexer into monorepo [SLT-164] [SLT-176] (#3136) * merging rfq indexer into monorepo * nuke .env * fix commands * fix package name * test coverage script * rough pass at docs and some linting and fixes yarn * Upgrades wagmi & rainbowkit * indxer * Adds invisible but used packages * +recent-invalid-fills [SLT-188] * Moves wagmi to root * new endpoints and clean up linting --------- Co-authored-by: Trajan0x <trajan0x@users.noreply.github.com> Co-authored-by: abtestingalpha <abtestingalpha@gmail.com> Co-authored-by: parodime <jordan@protochainresearch.com> * Publish - @synapsecns/synapse-interface@0.38.5 - @synapsecns/rfq-indexer-api@1.0.2 - @synapsecns/rfq-indexer@0.0.2 * Adds /destinationTokens route [SLT-204] (#3151) * Adds /destinationTokens route * ZeroAddress & NativeGasAddress * Adds test for native gas tokens * Checksums incoming token address params * Publish - @synapsecns/rest-api@1.0.76 * boba pause (#3150) * boba pause * only boba to txns * Publish - @synapsecns/synapse-interface@0.38.6 * fix(synapse-interface): Reorders validation to check existence first (#3156) * Reorders validation to check existence first * Removes duplicates * Publish - @synapsecns/rest-api@1.0.77 * Fix boba pause (#3158) * Publish - @synapsecns/synapse-interface@0.38.7 * update bl * feat(rest-api): Adds Swagger for api docs [SLT-205] (#3159) * Adds Swagger for api docs * Replace prepended verb Get routes with nouns * Adds dev flag for swagger serverUrl * Publish - @synapsecns/rest-api@1.1.0 - @synapsecns/synapse-interface@0.38.8 - @synapsecns/rfq-indexer-api@1.0.3 - @synapsecns/rfq-indexer@0.0.3 * Pulls version from package json (#3160) * Publish - @synapsecns/rest-api@1.1.1 * Require vs import due to file location (#3161) * Require vs import due to file location * Publish - @synapsecns/rest-api@1.1.2 * Prevent caching of api docs (#3162) * Publish - @synapsecns/rest-api@1.1.3 * feat(contracts-rfq): relay/prove/claim with different address [SLT-130] (#3138) * init. solidity ^. FbV2 relay/prove/claim overloads * +IFastBridgeV2, explicit address0 cast, func scope & inheritdoc fixes * pragma lock, contract relabel * feat: start scoping V2 tests * test: override relayer role scenarios, no longer enforced by V2 * test: finish the parity test * test: the management methods * test: dst chain scenarios * test: bridge * test: prove * test: claim * test: dispute * test: refund * test: bridge reverts * remove redundant extend. rearrange inherit list * revert 0.8.20 in favor of user (non-ws) setting --------- Co-authored-by: ChiTimesChi <88190723+ChiTimesChi@users.noreply.github.com> * Publish - FastBridge@0.4.0 * fix(promexporter): make spans better (#3164) * move the errors * [goreleaser] * fix v to w * changing native token address standard [SLT-210] (#3157) * changing native token address standard * fixing tests * normalizeNativeTokenAddress middleware, additional tests --------- Co-authored-by: abtestingalpha <abtestingalpha@gmail.com> * Publish - @synapsecns/rest-api@1.1.4 * Refactoring rfq-indexer API and adding swagger docs [SLT-228] (#3167) * refactoring and adding swagger * remove testing scripts * fix typos and consistency with 404 errors * Publish - @synapsecns/rfq-indexer-api@1.0.4 * fix read mes (#3168) * Publish - @synapsecns/contracts-core@1.0.32 - FastBridge@0.4.1 - @synapsecns/solidity-devops@0.4.5 * fix(opbot): use submitter get tx status [SLT-158] (#3134) * use experimental logger to debug * fix lint * [goreleaser] * use submitter instead of client * [goreleaser] * [goreleaser] * fix(synapse-interface): Additional checks on screen [SLT-166] (#3152) * Additional checks on screen * Adds checks on chain/token changes * Publish - @synapsecns/synapse-interface@0.38.9 * feat(synapse-interface): confirm new price [SLT-150] (#3084) * add bridge quote history middleware * request user confirm changes when quoted price updates * add conditions for displaying confirm change state * track initial quote initializing confirm change state * specify output delta threshold * callback functions to handle initialize/accept/reset confirm changes flow * quote countdown timer animation to signal refresh * implement automatic refresh intervals * mouse move to refresh automatic intervals * add i8n translations for button text --------- Co-authored-by: abtestingalpha <abtestingalpha@gmail.com> * Publish - @synapsecns/synapse-interface@0.39.0 * fix: formatted bridge fee amount (#3165) * Publish - @synapsecns/rest-api@1.1.5 * fix(contracts-rfq): CI workflows [SLT-245] (#3178) * fix: license, files * fix: package name * build: update solhint to latest * build: remove prettier dependencies * fix: solhint workflows * build: update solhint in other packages as well * chore: solhint rules, exceptions * fix: silence linter warnings in tests * chore: forge fmt * add variable to test linter CI * Revert "add variable to test linter CI" This reverts commit 0629309. * Publish - @synapsecns/contracts-core@1.0.33 - @synapsecns/contracts-rfq@0.5.0 - @synapsecns/solidity-devops@0.4.6 * feat(api): bridge limits [SLT-165] (#3179) * adds `/bridgeLimits` route, controller * fetch best sdk quote for min/max origin amounts * add tests * implement middleware to normalize addresses * adds swagger doc * Publish - @synapsecns/rest-api@1.2.0 * fix(contracts-rfq): limit the amount of solhint warnings [SLT-245] (#3182) * ci: limit the amount of solhint warnings * refactor: move the errors into the separate interface * refactor: errors imports in tests * Publish - @synapsecns/contracts-rfq@0.5.1 * ci: Solidity gas diff [SLT-259] (#3181) * ci: run tests w/o coverage first for better visibility * test: malform the test to check the adjusted workflow * Revert "test: malform the test to check the adjusted workflow" This reverts commit e7db6e1. * ci: add gas-diff workflow * try changing the contract to trigger gas diffs * retrigger the workflow * ci: provide the correct report path * ci: run on pull requests only * ci: save gas reports in monorepo root * Revert "ci: run on pull requests only" This reverts commit 0a01d60. * Revert "try changing the contract to trigger gas diffs" This reverts commit 91bc03e. * refactor: wrap if statement * refactor: exclude `solidity-devops` package in a more generic way * ci: run tests w/o coverage for `solidity-devops`, add comments * add generic comment to trigger `solidity-devops` workflows * Revert "add generic comment to trigger `solidity-devops` workflows" This reverts commit cc35a43. * Publish - @synapsecns/contracts-rfq@0.5.2 * fix(contracts-core): set very high gas limit for intensive tests [SLT-259] (#3186) * fix: set very high gas limit for intensive tests * ci: speed up solidity coverage * Publish - @synapsecns/contracts-core@1.0.34 * feat(rest-api): Adds validateRouteExists validation [SLT-260] (#3180) * Adds validateRouteExists validation * Remove timeouts for 400s * Publish - @synapsecns/rest-api@1.3.0 * add duplicate command warning (#3174) Co-authored-by: Trajan0x <trajan0x@users.noreply.github.com> * reduce solhint warnings on FbV2 (#3189) * reduce solhint warnings on FbV2 * fix whitespace * Publish - @synapsecns/contracts-rfq@0.5.3 * ci: solidity gas diff options [SLT-267] (#3193) * ci: ignore test files in gas diff report * add some changes to the test files * ci: define some options for gas-diff * try changing the contract to trigger gas diffs * Revert "try changing the contract to trigger gas diffs" This reverts commit 4504e3c. * Revert "add some changes to the test files" This reverts commit 7e7d6cb. * prove w/ tx id [SLT-181] (#3169) * prove w/ tx id SLT-181 * +proveOther tests, forge fmt * fmt * fmt * Publish - @synapsecns/contracts-rfq@0.5.4 * fix(sdk-router): disable ARB airdrop tests (#3195) * Publish - @synapsecns/rest-api@1.3.1 - @synapsecns/sdk-router@0.11.2 - @synapsecns/synapse-interface@0.39.1 - @synapsecns/widget@0.7.2 * Fixing issue for wallet integration [SLT-270] (#3194) * slight modification to graphql call * fixing explorer frontend as well * Publish - @synapsecns/explorer-ui@0.3.3 - @synapsecns/rest-api@1.3.2 * store relayer on relay [SLT-182] (#3170) * store relayer on relay [SLT-182] * +tests, zeroAddr check, fmt * Publish - @synapsecns/contracts-rfq@0.5.5 * Adjust text to trigger build (#3199) * Publish - @synapsecns/synapse-interface@0.39.2 * feat(synapse-interface): refund RFQ transaction [SLT-272] (#3197) * Txn transaction refund tracking * Update store to support tracking * Query FastBridge contract for `bridgeStatuses` to find refund status * Track bridge transaction `bridgeQuote.routerAddress` in store * Fetch FastBridge contract address when only provided router address * add translations --------- Co-authored-by: aureliusbtc <82057759+aureliusbtc@users.noreply.github.com> Co-authored-by: ChiTimesChi <88190723+ChiTimesChi@users.noreply.github.com> Co-authored-by: abtestingalpha <abtestingalpha@gmail.com> Co-authored-by: Defi-Moses <Defi-Moses@users.noreply.github.com> Co-authored-by: trajan0x <83933037+trajan0x@users.noreply.github.com> Co-authored-by: Trajan0x <trajan0x@users.noreply.github.com> Co-authored-by: parodime <jordan@protochainresearch.com> Co-authored-by: abtestingalpha <104046418+abtestingalpha@users.noreply.github.com> Co-authored-by: abtestingalpha <abtestingalpha@users.noreply.github.com> Co-authored-by: parodime <parodime@users.noreply.github.com> Co-authored-by: vro <168573323+golangisfun123@users.noreply.github.com> Co-authored-by: ChiTimesChi <ChiTimesChi@users.noreply.github.com> Co-authored-by: bigboydiamonds <57741810+bigboydiamonds@users.noreply.github.com> Co-authored-by: bigboydiamonds <bigboydiamonds@users.noreply.github.com>
Description
FastBridgeV2 - extend from FastBridge
Overloads of relay/prove/claim relax permissions and allow single relaying entity to operate with multiple addresses.
Accompanying tests included
Summary by CodeRabbit
New Features
FastBridgeV2
contract for cross-chain token transfers, enhancing transaction tracking and user protections.Bug Fixes
Tests
FastBridgeV2
functionality, including governance, fee management, and transaction validation scenarios.