-
+
diff --git a/approved/0108-xcm-remove-testnet-ids.html b/approved/0108-xcm-remove-testnet-ids.html
index 57d1b9d..55c71ec 100644
--- a/approved/0108-xcm-remove-testnet-ids.html
+++ b/approved/0108-xcm-remove-testnet-ids.html
@@ -90,7 +90,7 @@
diff --git a/index.html b/index.html
index 05032a8..5a0464a 100644
--- a/index.html
+++ b/index.html
@@ -90,7 +90,7 @@
diff --git a/introduction.html b/introduction.html
index 05032a8..5a0464a 100644
--- a/introduction.html
+++ b/introduction.html
@@ -90,7 +90,7 @@
diff --git a/print.html b/print.html
index 8aa03a4..e0940f0 100644
--- a/print.html
+++ b/print.html
@@ -91,7 +91,7 @@
@@ -335,9 +335,9 @@ detailing proposed changes to the technical implementation of the Polkadot netwo
Reclaiming unused space in the descriptor
UMP transport
Polkadot Primitive changes
+Backwards compatibility
Parachain block validation
On-chain backing
-Backwards compatibility
Drawbacks
@@ -407,7 +407,7 @@ provide any benefits as there is no mechanism to punish or reward collators that
bad parachain blocks.
This proposal aims to remove the collator signature and all the logic that checks the collator
signatures of candidate receipts. We use the first 7 reclaimed bytes to represent the version,
-the core, session index, and fill the rest with zeroes. So, there is no change in the layout
+the core, session index, and fill the rest with zeroes. So, there is no change in the layout
and length of the receipt. The new primitive is binary-compatible with the old one.
CandidateCommitments
@@ -415,7 +415,8 @@ remains unchanged as we will store scale encoded UMPSignal messages
UMP queue by outputting them in upward_messages .
The UMP queue layout is changed to allow the relay chain to receive both the XCM messages and
UMPSignal messages. An empty message (empty Vec<u8>) is used to mark the end of XCM messages and
-the start of UMPSignal messages.
+the start of UMPSignal messages.The UMPSignal is optional and can be omitted by parachains
+not using elastic scaling.
This way of representing the new messages has been chosen over introducing an enum wrapper to
minimize breaking changes of XCM message decoding in tools like Subscan for example.
Example:
@@ -426,11 +427,13 @@ minimize breaking changes of XCM message decoding in tools like Subscan for exam
#![allow(unused)]
fn main() {
- /// An `u8` wrap-around sequence number. Typically this would be the least significant byte of the
-/// parachain block number.
+/// The selector that determines the core index.
pub struct CoreSelector(pub u8);
-/// An offset in the relay chain claim queue.
+/// The offset in the relay chain claim queue.
+///
+/// The state of the claim queue is given by the relay chain block
+/// that is used as context for the `PoV`.
pub struct ClaimQueueOffset(pub u8);
/// Signals sent by a parachain to the relay chain.
@@ -438,13 +441,12 @@ pub enum UMPSignal {
/// A message sent by a parachain to select the core the candidate is committed to.
/// Relay chain validators, in particular backers, use the `CoreSelector` and `ClaimQueueOffset`
/// to compute the index of the core the candidate has committed to.
- ///
SelectCore(CoreSelector, ClaimQueueOffset),
}
}
-The parachain runtime is not concerned with the actual CoreIndex the candidate is intended for,
-but must provide enough information for the validators and collators to compute it. CoreSelector
-and ClaimQueueOffset use only 2 bytes and fulfills the requirement.
+The CoreSelector together with the ClaimQueueOffset are used to index the claim queue. This way
+the validators can compute the CoreIndex and ensure that the collator put the correct CoreIndex
+into the CandidateDescriptor.
Example:
cq_offset = 1 and core_selector = 3
The table below represents a snapshot of the claim queue:
@@ -455,15 +457,13 @@ and ClaimQueueOffset use only 2 bytes and fulfills the requirement.
The purpose of ClaimQueueOffset is to select the column from the above table.
-For cq_offset = 1 we get [ Para A, Para B, Para A] and use as input to create
-a sorted vec with the cores A is assigned to: [ Core 1, Core 3] and call it para_assigned_cores.
+For cq_offset = 1 we get [Para A, Para B, Para A] and use as input to create
+a sorted vec with the cores A is assigned to: [Core 1, Core 3] and call it para_assigned_cores.
We use core_selector and determine the committed core index is Core 3 like this:
#![allow(unused)]
fn main() {
let committed_core_index = para_assigned_cores[core_selector % para_assigned_cores.len()];
}
-Parachains should prefer to have a static ClaimQueueOffset value that makes sense for their
-usecase which can be changed by governance at some future point.
@@ -509,6 +509,19 @@ and rename to reserved1 and reserved2 fields.
}
In future format versions, parts of the reserved1 and reserved2 bytes can be used to include
additional information in the descriptor.
+
+Two flavors of candidate receipts are used in network protocols, runtime and node
+implementation:
+
+CommittedCandidateReceipt which includes the CandidateDescriptor and the CandidateCommitments
+CandidateReceipt which includes the CandidateDescriptor and just a hash of the commitments
+
+We want to support both the old and new versions in the runtime and node, so the implementation must
+be able to detect the version of a given candidate receipt.
+The version of the descriptor is detected by checking the reserved fields.
+If they are not zeroed, it means it is a version 1 descriptor. Otherwise the version field
+is used further to determine the version. It should be 0 for version 2 descriptors. If it is not
+the descriptor has an unknown version and should be considered invalid.
If the candidate descriptor is version 1, there are no changes.
Backers must check the validity of core_index and session_index fields.
@@ -525,19 +538,6 @@ A candidate must not be backed if any of the following are true:
as backers did off-chain. It currently stores the claim queue at the newest allowed
relay parent corresponding to the claim queue offset 0. The runtime needs to be changed to store
a claim queue snapshot at all allowed relay parents.
-
-Two flavors of candidate receipts are used in network protocols, runtime and node
-implementation:
-
-CommittedCandidateReceipt which includes the CandidateDescriptor and the CandidateCommitments
-CandidateReceipt which includes the CandidateDescriptor and just a hash of the commitments
-
-We want to support both the old and new versions in the runtime and node, so the implementation must
-be able to detect the version of a given candidate receipt.
-The version of the descriptor is detected by checking the reserved fields.
-If they are not zeroed, it means it is a version 1 descriptor. Otherwise the version field
-is used further to determine the version. It should be 0 for version 2 descriptors. If it is not
-the descriptor has an unknown version and should be considered invalid.
The only drawback is that further additions to the descriptor are limited to the amount of
remaining unused space.
@@ -550,19 +550,21 @@ to ensure the implementation does not introduce any new security issues.
Overall performance will be improved by not checking the collator signatures in runtime and nodes.
The impact on the UMP queue and candidate receipt processing is negligible.
The ClaimQueueOffset along with the relay parent choice allows parachains to optimize their
-block production for either throughput or latency. A value of 0 with the newest relay parent
-provides the best latency while picking older relay parents avoids re-orgs.
+block production for either throughput or lower XCM message processing latency. A value of 0
+with the newest relay parent provides the best latency while picking older relay parents avoids
+re-orgs.
-It is mandatory for elastic parachains to switch to the new receipt format. It is optional but
-desired that all parachains switch to the new receipts for providing the session index for
-disputes.
+It is mandatory for elastic parachains to switch to the new receipt format and commit to a
+core by sending the UMPSignal::SelectCore message. It is optional but desired that all
+parachains switch to the new receipts for providing the session index for disputes.
The implementation of this RFC itself must not introduce any breaking changes for the parachain
runtime or collator nodes.
-The proposed changes are backward compatible in general, but additional care must be taken by
-waiting for at least 2/3 + 1 validators to upgrade. Validators that have not upgraded will not
-back candidates using the new descriptor format and will also initiate disputes against these
-candidates.
+The proposed changes are not fully backward compatible, because older validators verify the
+collator signature of candidate descriptors.
+Additional care must be taken before enabling the new descriptors by waiting for at least
+2/3 + 1 validators to upgrade. Validators that have not upgraded will not back candidates
+using the new descriptor format and will also initiate disputes against these candidates.
The first step is to remove collator signature checking logic in the runtime but keep the node
side collator signature checks.
@@ -594,121 +596,6 @@ exhausted
At this point, there is a simple way to determine the version of the receipt, by testing for zeroed
reserved bytes in the descriptor. Future versions of the receipt can be implemented and identified
by using the version field of the descriptor introduced in this RFC.
-
(source)
-Table of Contents
-
-
-
-Start Date 23 July 2024
-Description Allow multiple types of fees to be paid
-Authors Francisco Aguirre
-
-
-
-XCM already handles execution fees in an effective and efficient manner using the BuyExecution instruction.
-However, other types of fees are not handled as effectively -- for example, delivery fees.
-Fees exist that can't be measured using Weight -- as execution fees can -- so a new method should be thought up for those cases.
-This RFC proposes making the fee handling system simpler and more general, by doing two things:
-
-Adding a fees register
-Deprecating BuyExecution and adding a new instruction PayFees with new semantics to ultimately replace it.
-
-
-Execution fees are handled correctly by XCM right now.
-However, the addition of extra fees, like for message delivery, result in awkward ways of integrating them into the XCVM implementation.
-This is because these types of fees are not included in the language.
-The standard should have a way to correctly deal with these implementation specific fees, that might not exist in every system that uses XCM.
-The new instruction moves the specified amount of fees from the holding register to a dedicated fees register that the XCVM can use in flexible ways depending on its implementation.
-The XCVM implementation is free to use these fees to pay for execution fees, transport fees, or any other type of fee that might be necessary.
-This moves the specifics of fees further away from the XCM standard, and more into the actual underlying XCVM implementation, which is a good thing.
-
-
-Runtime Users
-Runtime Devs
-Wallets
-dApps
-
-
-The new instruction that will replace BuyExecution is a much simpler and general version: PayFees.
-This instruction takes one Asset, takes it from the holding register, and puts it into a new fees register.
-The XCVM implementation can now use this Asset to make sure every necessary fee is paid for, this includes execution fees, delivery fees, and any other type of fee
-necessary for the program to execute successfully.
- #![allow(unused)]
- fn main() {
- PayFees { asset: Asset }
-}
-This new instruction will reserve the entirety of the asset operand for fee payment.
-There is not concept of returning the leftover fees to the holding register, to allow for the implementation to charge fees at different points during execution.
-Because of this, the asset passed in can't be used for anything else during the entirety of the program.
-This is different from the current semantics of BuyExecution.
-If not all Asset in the fees register is used when the execution ends, then we trap them alongside any possible leftover assets from the holding register.
-RefundSurplus can be used to move all leftover fees from the fees register to the holding register.
-Care must be taken that this is used only after all possible instructions which might charge fees, else execution will fail.
-
-Most XCM programs that pay for execution are written like so:
-#![allow(unused)]
- fn main() {
- // Instruction that loads the holding register
-BuyExecution { asset, weight_limit }
-// ...rest
-}
-With this RFC, the structure would be the same, but using the new instruction, that has different semantics:
-#![allow(unused)]
- fn main() {
- // Instruction that loads the holding register
-PayFees { asset }
-// ...rest
-}
-
-There needs to be an explicit change from BuyExecution to PayFees, most often accompanied by a reduction in the assets passed in.
-
-It might become a security concern if leftover fees are trapped, since a lot of them are expected.
-
-
-There should be no performance downsides to this approach.
-The fees register is a simplification that may actually result in better performance, in the case an implementation is doing a workaround to achieve what this RFC proposes.
-
-The interface is going to be very similar to the already existing one.
-Even simpler since PayFees will only receive one asset.
-That asset will allow users to limit the amount of fees they are willing to pay.
-
-This RFC can't just change the semantics of the BuyExecution instruction since that instruction accepts any funds, uses what it needs and returns the rest immediately.
-The new proposed instruction, PayFees, doesn't return the leftover immediately, it keeps it in the fees register.
-In practice, the deprecated BuyExecution needs to be slowly rolled out in favour of PayFees.
-
-The closed RFC PR on the xcm-format repository, before XCM RFCs got moved to fellowship RFCs: https://github.com/polkadot-fellows/xcm-format/pull/53.
-
-None
-
-This proposal would greatly benefit from an improved asset trapping system.
-CustomAssetClaimer is also related, as it directly improves the ergonomics of this proposal.
-LeftoverAssetsDestination execution hint would also similarly improve the ergonomics.
-Removal of JIT fees is also related, they are useless with this proposal.
(source)
Table of Contents
@@ -740,9 +627,9 @@ In practice, the deprecated BuyExecution needs to be slowly rolled
Authors @muharem @xlc
-
+
This RFC proposes a solution to replicate an existing pure proxy from one chain to others. The aim is to address the current limitations where pure proxy accounts, which are keyless, cannot have their proxy relationships recreated on different chains. This leads to issues where funds or permissions transferred to the same keyless account address on chains other than its origin chain become inaccessible.
-
+
A pure proxy is a new account created by a primary account. The primary account is set as a proxy for the pure proxy account, managing it. Pure proxies are keyless and non-reproducible, meaning they lack a private key and have an address derived from a preimage determined by on-chain logic. More on pure proxies can be found here .
For the purpose of this document, we define a keyless account as a "pure account", the controlling account as a "proxy account", and the entire relationship as a "pure proxy".
The relationship between a pure account (e.g., account ID: pure1) and its proxy (e.g., account ID: alice) is stored on-chain (e.g., parachain A) and currently cannot be replicated to another chain (e.g., parachain B). Because the account pure1 is keyless and its proxy relationship with alice is not replicable from the parachain A to the parachain B, alice does not control the pure1 account on the parachain B.
@@ -754,9 +641,9 @@ In practice, the deprecated BuyExecution needs to be slowly rolled
users may prefer an account with a registered identity (e.g. for cross-chain treasury spend proposal), even if the account is keyless;
Given that these mistakes are likely, it is necessary to provide a solution to either prevent them or enable access to a pure account on a target chain.
-
+
Runtime Users, Runtime Devs, wallets, cross-chain dApps.
-
+
One possible solution is to allow a proxy to create or replicate a pure proxy relationship for the same pure account on a target chain. For example, Alice, as the proxy of the pure1 pure account on parachain A, should be able to set a proxy for the same pure1 account on parachain B.
To minimise security risks, the parachain B should grant the parachain A the least amount of permission necessary for the replication. First, Parachain A claims to Parachain B that the operation is commanded by the pure account, and thus by its proxy, and second, provides proof that the account is keyless.
The replication process will be facilitated by XCM, with the first claim made using the DescendOrigin instruction. The replication call on parachain A would require a signed origin by the pure account and construct an XCM program for parachain B, where it first descends the origin, resulting in the ParachainA/AccountId32(pure1) origin location on the receiving side.
@@ -809,7 +696,7 @@ mod pallet_proxy_replica {
}
}
-
+
There are two disadvantages to this approach:
The receiving chain has to trust the sending chain's claim that the account controlling the pure account has commanded the replication.
@@ -818,21 +705,21 @@ mod pallet_proxy_replica {
We could eliminate the first disadvantage by allowing only the spawner of the pure proxy to recreate the pure proxies, if they sign the transaction on a remote chain and supply the witness/preimage. Since the preimage of a pure account includes the account ID of the spawner, we can verify that the account signing the transaction is indeed the spawner of the given pure account. However, this approach would grant exclusive rights to the spawner over the pure account, which is not a property of pure proxies at present. This is why it's not an option for us.
As an alternative to requiring clients to provide a witness data, we could label pure accounts on the source chain and trust it on the receiving chain. However, this would require the receiving chain to place greater trust in the source chain. If the source chain is compromised, any type of account on the trusting chain could also be compromised.
A conceptually different solution would be to not implement replication of pure proxies and instead inform users that ownership of a pure proxy on one chain does not imply ownership of the same account on another chain. This solution seems complex, as it would require UIs and clients to adapt to this understanding. Moreover, mistakes would likely remain unavoidable.
-
+
Each chain expressly authorizes another chain to replicate its pure proxies, accepting the inherent risk of that chain potentially being compromised. This authorization allows a malicious actor from the compromised chain to take control of any pure proxy account on the chain that granted the authorization. However, this is limited to pure proxies that originated from the compromised chain if they have a chain-specific seed within the preimage.
There is a security issue, not introduced by the proposed solution but worth mentioning. The same spawner can create the pure accounts on different chains controlled by the different accounts. This is possible because the current preimage version of the proxy pallet does not include any non-reproducible, chain-specific data, and elements like block numbers and extrinsic indexes can be reproduced with some effort. This issue could be addressed by adding a chain-specific seed into the preimages of pure accounts.
-
-
+
+
The replication is facilitated by XCM, which adds some additional load to the communication channel. However, since the number of replications is not expected to be large, the impact is minimal.
-
+
The proposed solution does not alter any existing interfaces. It does require clients to obtain the witness data which should not be an issue with support of an indexer.
-
+
None.
-
+
None.
-
+
None.
-
+
Pure Proxy documentation - https://wiki.polkadot.network/docs/learn-proxies-pure
@@ -867,20 +754,20 @@ mod pallet_proxy_replica {
Authors Liu-Cheng Xu
-
+
This RFC proposes compressing the state response message during the state syncing process to reduce the amount of data transferred.
-
+
State syncing can require downloading several gigabytes of data, particularly for blockchains with large state sizes, such as Astar, which
has a state size exceeding 5 GiB (https://github.com/AstarNetwork/Astar/issues/1110). This presents a significant
challenge for nodes with slower network connections. Additionally, the current state sync implementation lacks a persistence feature (https://github.com/paritytech/polkadot-sdk/issues/4),
meaning any network disruption forces the node to re-download the entire state, making the process even more difficult.
-
+
This RFC benefits all projects utilizing the Substrate framework, specifically in improving the efficiency of state syncing.
Node Operators.
Substrate Users.
-
+
The largest portion of the state response message consists of either CompactProof or Vec<KeyValueStateEntry>, depending on whether a proof is requested (source ):
CompactProof: When proof is requested, compression yields a lower ratio but remains beneficial, as shown in warp sync tests in the Performance section below.
@@ -888,23 +775,23 @@ meaning any network disruption forces the node to re-download the entire state,
storage sequentially starting from an empty storage key, which means many entries in the message share the same storage prefix, making it ideal
for compression.
-
+
None identified.
-
+
The code changes required for this RFC are straightforward: compress the state response on the sender side and decompress it on the receiver side. Existing sync tests should ensure functionality remains intact.
-
-
+
+
This RFC optimizes network bandwidth usage during state syncing, particularly for blockchains with gigabyte-sized states, while introducing negligible CPU overhead for compression and decompression. For example, compressing the state response during a recent Polkadot warp sync (around height #22076653) reduces the data transferred from 530,310,121 bytes to 352,583,455 bytes — a 33% reduction, saving approximately 169 MiB of data.
Performance data is based on this patch , with logs available here .
-
+
None.
-
+
No compatibility issues identified.
-
+
None.
-
+
None.
-
+
None.
(source)
Table of Contents
@@ -939,9 +826,9 @@ for compression.
Authors Rodrigo Quelhas
-
+
This RFC proposes a new host function, secp256r1_ecdsa_verify_prehashed, for verifying NIST-P256 signatures. The function takes as input the message hash, r and s components of the signature, and the x and y coordinates of the public key. By providing this function, runtime authors can leverage a more efficient verification mechanism for "secp256r1" elliptic curve signatures, reducing computational costs and improving overall performance.
-
+
“secp256r1” elliptic curve is a standardized curve by NIST which has the same calculations by different input parameters with “secp256k1” elliptic curve. The cost of combined attacks and the security conditions are almost the same for both curves. Adding a host function can provide signature verifications using the “secp256r1” elliptic curve in the runtime and multi-faceted benefits can occur. One important factor is that this curve is widely used and supported in many modern devices such as Apple’s Secure Enclave, Webauthn, Android Keychain which proves the user adoption. Additionally, the introduction of this host function could enable valuable features in the account abstraction which allows more efficient and flexible management of accounts by transaction signs in mobile devices.
Most of the modern devices and applications rely on the “secp256r1” elliptic curve. The addition of this host function enables a more efficient verification of device native transaction signing mechanisms. For example:
@@ -950,11 +837,11 @@ Most of the modern devices and applications rely on the “secp256r1” elliptic
Android Keystore: Android Keystore is an API that manages the private keys and signing methods. The private keys are not processed while using Keystore as the applications’ signing method. Also, it can be done in the “Trusted Execution Environment” in the microchip.
Passkeys: Passkeys is utilizing FIDO Alliance and W3C standards. It replaces passwords with cryptographic key-pairs which is also can be used for the elliptic curve cryptography.
-
+
-
+
This RFC proposes a new host function for runtime authors to leverage a more efficient verification mechanism for "secp256r1" elliptic curve signatures.
Proposed host function signature:
#![allow(unused)]
@@ -966,19 +853,19 @@ Most of the modern devices and applications rely on the “secp256r1” elliptic
) -> bool;
}
The host function MUST return true if the signature is valid or false otherwise.
-
+
N/A
-
+
The changes are not directly affecting the protocol security, parachains are not enforced to use the host function.
-
-
+
+
N/A
-
+
The host function proposed in this RFC allows parachain runtime developers to use a more efficient verification mechanism for "secp256r1" elliptic curve signatures.
-
+
Parachain teams will need to include this host function to upgrade.
-
+
Pull Request including RIP-7212 in Moonbeam: Add secp256r1 precompile .
Pull Request including proposed host function: IN PROGRESS .
@@ -1019,12 +906,12 @@ Most of the modern devices and applications rely on the “secp256r1” elliptic
Authors Bryan Chen, Pablo Dorado
-
+
A followup of the RFC-0014 . This RFC proposes adding a new collective to the Polkadot Collectives
Chain: The Unbrick Collective, as well as improvements in the mechanisms that will allow teams
operating paras that had stopped producing blocks to be assisted, in order to restore the production
of blocks of these paras.
-
+
Since the initial launch of Polkadot parachains, there has been many incidients causing parachains
to stop producing new blocks (therefore, being bricked ) and many occurrences that requires
Polkadot governance to update the parachain head state/wasm. This can be due to many reasons range
@@ -1038,14 +925,14 @@ damage to the parachain and users.
Polkadot Fellowship), due to the nature of their mission, are not fit to carry these kind of tasks.
In consequence, the idea of a Unbrick Collective that can provide assistance to para teams when
they brick and further protection against future halts is reasonable enough.
-
+
Parachain teams
Parachain users
OpenGov users
Polkadot Fellowship
-
+
The Unbrick Collective is defined as an unranked collective of members, not paid by the Polkadot
Treasury. Its main goal is to serve as a point of contact and assistance for enacting the actions
@@ -1107,31 +994,31 @@ of the new PVF being set). Therefore, they must have the technical capacity to p
Being a CTO or Technical Lead in a para team that has opted-in to delegate the Unbrick Collective
to manage the PVF/head state of the para.
-
+
The ability to modify the Head State and/or the PVF of a para means a possibility to perform
arbitrary modifications of it (i.e. take control the native parachain token or any bridged assets
in the para).
This could introduce a new attack vectorm, and therefore, such great power needs to be handled
carefully.
-
+
The implementation of this RFC will be tested on testnets (Rococo and Westend) first.
An audit will be required to ensure the implementation doesn't introduce unwanted side effects.
There are no privacy related concerns.
-
-
+
+
This RFC should not introduce any performance impact.
-
+
This RFC should improve the experience for new and existing parachain teams, lowering the barrier
to unbrick a stalled para.
-
+
This RFC is fully compatible with existing interfaces.
-
+
-
+
What are the parameters for the WhitelistedUnbrickCaller track?
Any other methods that shall be updated to accept Unbrick origin?
@@ -1178,7 +1065,7 @@ of the paras, the locked/unlocked state, and the manager info.
Authors Leemo / ChaosDAO
-
+
This RFC proposes to change the duration of the Confirmation Period for the Big Tipper and Small Tipper tracks in Polkadot OpenGov:
-
+
Currently, these are the durations of treasury tracks in Polkadot OpenGov. Confirmation periods for the Spender tracks were adjusted based on RFC20 and its related conversation.
Track Description Confirmation Period Duration
Treasurer 7 Days
@@ -1202,12 +1089,12 @@ of the paras, the locked/unlocked state, and the manager info.
You can see that there is a general trend on the Spender track that when the privilege level (the amount the track can spend) the confirmation period approximately doubles.
I believe that the Big Tipper and Small Tipper track's confirmation periods should be adjusted to match this trend.
In the current state it is possible to somewhat positively snipe these tracks, and whilst the power/privilege level of these tracks is very low (they cannot spend a large amount of funds), I believe we should increase the confirmation periods to something higher. This is backed up by the recent sentiment in the greater community regarding referendums submitted on these tracks. The parameters of Polkadot OpenGov can be adjusted based on the general sentiment of token holders when necessary.
-
+
The primary stakeholders of this RFC are:
– DOT token holders – as this affects the protocol's treasury
– Entities wishing to submit a referendum on these tracks – as this affects the referendum's timeline
– Projects with governance app integrations – see Performance, Ergonomics and Compatibility section below
-
+
This RFC proposes to change the duration of the confirmation period for both the Big Tipper and Small Tipper tracks. To achieve this the confirm_period parameter for those tracks should be changed.
You can see the lines of code that need to be adjusted here:
@@ -1219,12 +1106,12 @@ of the paras, the locked/unlocked state, and the manager info.
This RFC proposes to change the confirm_period for the Big Tipper track to DAYS (i.e. 1 Day) and the confirm_period for the Small Tipper track to 12 * HOURS (i.e. 12 Hours).
-
+
The drawback of changing these confirmation periods is that the lifecycle of referenda submitted on those tracks would be ultimately longer, and it would add a greater potential to negatively "snipe" referenda on those tracks by knocking the referendum out of its confirmation period once the decision period has ended. This can be a good or a bad thing depending on your outlook of positive vs negative sniping.
-
+
This referendum will enhance the security of the protocol as it relates to its treasury. The confirmation period is one of the last lines of defense for the Polkadot token holder DAO to react to a potentially bad referendum and vote NAY in order for its confirmation period to be aborted.
-
-
+
+
This is a simple change (code wise) that should not affect the performance of the Polkadot protocol, outside of increasing the duration of the confirmation periods for these 2 tracks.
As per the implementation of changes described in RFC-20, it was identified that governance UIs automatically update to meet the new parameters:
@@ -1233,11 +1120,11 @@ of the paras, the locked/unlocked state, and the manager info.
Polkassembly - directly uses on-chain data via rpc to fetch trackInfo so the change will be automatically reflected.
SubSquare - scan script will update their app to the latest parameters and it will be automatically reflected in their app.
-
+
N/A
-
+
Some token holders may want these confirmation periods to remain as they are currently and for them not to increase. If this is something that the Polkadot Technical Fellowship considers to be an issue to implement into a runtime upgrade then I can create a Wish For Change to obtain token holder approval.
-
+
The parameters of Polkadot OpenGov will likely continue to change over time, there are additional discussions in the community regarding adjusting the min_support for some tracks so that it does not trend towards 0%, similar to the current state of the Whitelisted Caller track. This is outside of the scope of this RFC and requires a lot more discussion.
(source)
Table of Contents
@@ -1279,9 +1166,9 @@ of the paras, the locked/unlocked state, and the manager info.
Authors Gavin Wood
-
+
This proposes a periodic, sale-based method for assigning Polkadot Coretime, the analogue of "block space" within the Polkadot Network. The method takes into account the need for long-term capital expenditure planning for teams building on Polkadot, yet also provides a means to allow Polkadot to capture long-term value in the resource which it sells. It supports the possibility of building rich and dynamic secondary markets to optimize resource allocation and largely avoids the need for parameterization.
-
+
The Polkadot Ubiquitous Computer , or just Polkadot UC , represents the public service provided by the Polkadot Network. It is a trust-free, WebAssembly-based, multicore, internet-native omnipresent virtual machine which is highly resilient to interference and corruption.
The present system of allocating the limited resources of the Polkadot Ubiquitous Computer is through a process known as parachain slot auctions . This is a parachain-centric paradigm whereby a single core is long-term allocated to a single parachain which itself implies a Substrate/Cumulus-based chain secured and connected via the Relay-chain. Slot auctions are on-chain candle auctions which proceed for several days and result in the core being assigned to the parachain for six months at a time up to 24 months in advance. Practically speaking, we only see two year periods being bid upon and leased.
@@ -1302,7 +1189,7 @@ of the paras, the locked/unlocked state, and the manager info.
The solution SHOULD avoid creating additional dependencies on functionality which the Relay-chain need not strictly provide for the delivery of the Polkadot UC.
Furthermore, the design SHOULD be implementable and deployable in a timely fashion; three months from the acceptance of this RFC should not be unreasonable.
-
+
Primary stakeholder sets are:
Protocol researchers and developers, largely represented by the Polkadot Fellowship and Parity Technologies' Engineering division.
@@ -1311,7 +1198,7 @@ of the paras, the locked/unlocked state, and the manager info.
Socialization:
The essensials of this proposal were presented at Polkadot Decoded 2023 Copenhagen on the Main Stage. A small amount of socialization at the Parachain Summit preceeded it and some substantial discussion followed it. Parity Ecosystem team is currently soliciting views from ecosystem teams who would be key stakeholders.
-
+
Upon implementation of this proposal, the parachain-centric slot auctions and associated crowdloans cease. Instead, Coretime on the Polkadot UC is sold by the Polkadot System in two separate formats: Bulk Coretime and Instantaneous Coretime .
When a Polkadot Core is utilized, we say it is dedicated to a Task rather than a "parachain". The Task to which a Core is dedicated may change at every Relay-chain block and while one predominant type of Task is to secure a Cumulus-based blockchain (i.e. a parachain), other types of Tasks are envisioned.
@@ -1743,16 +1630,16 @@ InstaPoolHistory: (empty)
Governance upgrade proposal(s).
Monitoring of the upgrade process.
-
+
No specific considerations.
Parachains already deployed into the Polkadot UC must have a clear plan of action to migrate to an agile Coretime market.
While this proposal does not introduce documentable features per se, adequate documentation must be provided to potential purchasers of Polkadot Coretime. This SHOULD include any alterations to the Polkadot-SDK software collection.
-
+
Regular testing through unit tests, integration tests, manual testnet tests, zombie-net tests and fuzzing SHOULD be conducted.
A regular security review SHOULD be conducted prior to deployment through a review by the Web3 Foundation economic research group.
Any final implementation MUST pass a professional external security audit.
The proposal introduces no new privacy concerns.
-
+
RFC-3 proposes a means of implementing the high-level allocations within the Relay-chain.
RFC-5 proposes the API for interacting with Relay-chain.
Additional work should specify the interface for the instantaneous market revenue so that the Coretime-chain can ensure Bulk Coretime placed in the instantaneous market is properly compensated.
@@ -1768,7 +1655,7 @@ InstaPoolHistory: (empty)
The percentage of cores to be sold as Bulk Coretime.
The fate of revenue collected.
-
+
Robert Habermeier initially wrote on the subject of Polkadot blockspace-centric in the article Polkadot Blockspace over Blockchains . While not going into details, the article served as an early reframing piece for moving beyond one-slot-per-chain models and building out secondary market infrastructure for resource allocation.
(source)
Table of Contents
@@ -1801,10 +1688,10 @@ InstaPoolHistory: (empty)
Authors Gavin Wood, Robert Habermeier
-
+
In the Agile Coretime model of the Polkadot Ubiquitous Computer, as proposed in RFC-1 and RFC-3, it is necessary for the allocating parachain (envisioned to be one or more pallets on a specialised Brokerage System Chain) to communicate the core assignments to the Relay-chain, which is responsible for ensuring those assignments are properly enacted.
This is a proposal for the interface which will exist around the Relay-chain in order to communicate this information and instructions.
-
+
The background motivation for this interface is splitting out coretime allocation functions and secondary markets from the Relay-chain onto System parachains. A well-understood and general interface is necessary for ensuring the Relay-chain receives coretime allocation instructions from one or more System chains without introducing dependencies on the implementation details of either side.
@@ -1816,7 +1703,7 @@ InstaPoolHistory: (empty)
The interface MUST allow for the allocating chain to instruct changes to the number of cores which it is able to allocate.
The interface MUST allow for the allocating chain to be notified of changes to the number of cores which are able to be allocated by the allocating chain.
-
+
Primary stakeholder sets are:
Developers of the Relay-chain core-management logic.
@@ -1824,7 +1711,7 @@ InstaPoolHistory: (empty)
Socialization:
This content of this RFC was discussed in the Polkdot Fellows channel.
-
+
The interface has two sections: The messages which the Relay-chain is able to receive from the allocating parachain (the UMP message types ), and messages which the Relay-chain is able to send to the allocating parachain (the DMP message types ). These messages are expected to be able to be implemented in a well-known pallet and called with the XCM Transact instruction.
Future work may include these messages being introduced into the XCM standard.
@@ -1899,17 +1786,17 @@ assert_eq!(targets.iter().map(|x| x.1).sum(), 57600);
For request_revenue_info, a successful request should be possible if when is no less than the Relay-chain block number on arrival of the message less 100,000.
For assign_core, a successful request should be possible if begin is no less than the Relay-chain block number on arrival of the message plus 10 and workload contains no more than 100 items.
-
+
No specific considerations.
-
+
Standard Polkadot testing and security auditing applies.
The proposal introduces no new privacy concerns.
-
+
RFC-1 proposes a means of determining allocation of Coretime using this interface.
RFC-3 proposes a means of implementing the high-level allocations within the Relay-chain.
None at present.
-
+
None.
(source)
Table of Contents
@@ -1955,13 +1842,13 @@ assert_eq!(targets.iter().map(|x| x.1).sum(), 57600);
Authors Joe Petrowski
-
+
As core functionality moves from the Relay Chain into system chains, so increases the reliance on
the liveness of these chains for the use of the network. It is not economically scalable, nor
necessary from a game-theoretic perspective, to pay collators large rewards. This RFC proposes a
mechanism -- part technical and part social -- for ensuring reliable collator sets that are
resilient to attemps to stop any subsytem of the Polkadot protocol.
-
+
In order to guarantee access to Polkadot's system, the collators on its system chains must propose
blocks (provide liveness) and allow all transactions to eventually be included. That is, some
collators may censor transactions, but there must exist one collator in the set who will include a
@@ -1997,12 +1884,12 @@ to censor any subset of transactions.
Collators selected by governance SHOULD have a reasonable expectation that the Treasury will
reimburse their operating costs.
-
+
Infrastructure providers (people who run validator/collator nodes)
Polkadot Treasury
-
+
This protocol builds on the existing
Collator Selection pallet
and its notion of Invulnerables. Invulnerables are collators (identified by their AccountIds) who
@@ -2038,27 +1925,27 @@ approximately:
of which 15 are Invulnerable, and
five are elected by bond.
-
+
The primary drawback is a reliance on governance for continued treasury funding of infrastructure
costs for Invulnerable collators.
-
+
The vast majority of cases can be covered by unit testing. Integration test should ensure that the
Collator Selection UpdateOrigin, which has permission to modify the Invulnerables and desired
number of Candidates, can handle updates over XCM from the system's governance location.
-
+
This proposal has very little impact on most users of Polkadot, and should improve the performance
of system chains by reducing the number of missed blocks.
-
+
As chains have strict PoV size limits, care must be taken in the PoV impact of the session manager.
Appropriate benchmarking and tests should ensure that conservative limits are placed on the number
of Invulnerables and Candidates.
-
+
The primary group affected is Candidate collators, who, after implementation of this RFC, will need
to compete in a bond-based election rather than a race to claim a Candidate spot.
-
+
This RFC is compatible with the existing implementation and can be handled via upgrades and
migration.
-
+
GitHub: Collator Selection Roadmap
@@ -2073,9 +1960,9 @@ migration.
SR Labs Auditors
Current collators including Paranodes, Stake Plus, Turboflakes, Peter Mensik, SIK, and many more.
-
+
None at this time.
-
+
There may exist in the future system chains for which this model of collator selection is not
appropriate. These chains should be evaluated on a case-by-case basis.
(source)
@@ -2114,10 +2001,10 @@ appropriate. These chains should be evaluated on a case-by-case basis.
Authors Pierre Krieger
-
+
The full nodes of the Polkadot peer-to-peer network maintain a distributed hash table (DHT), which is currently used for full nodes discovery and validators discovery purposes.
This RFC proposes to extend this DHT to be used to discover full nodes of the parachains of Polkadot.
-
+
The maintenance of bootnodes has long been an annoyance for everyone.
When a bootnode is newly-deployed or removed, every chain specification must be updated in order to take the update into account. This has lead to various non-optimal solutions, such as pulling chain specifications from GitHub repositories.
When it comes to RPC nodes, UX developers often have trouble finding up-to-date addresses of parachain RPC nodes. With the ongoing migration from RPC nodes to light clients, similar problems would happen with chain specifications as well.
@@ -2126,9 +2013,9 @@ When it comes to RPC nodes, UX developers often have trouble finding up-to-date
Because the list of bootnodes in chain specifications is so annoying to modify, the consequence is that the number of bootnodes is rather low (typically between 2 and 15). In order to better resist downtimes and DoS attacks, a better solution would be to use every node of a certain chain as potential bootnode, rather than special-casing some specific nodes.
While this RFC doesn't solve these problems for relay chains, it aims at solving it for parachains by storing the list of all the full nodes of a parachain on the relay chain DHT.
Assuming that this RFC is implemented, and that light clients are used, deploying a parachain wouldn't require more work than registering it onto the relay chain and starting the collators. There wouldn't be any need for special infrastructure nodes anymore.
-
+
This RFC has been opened on my own initiative because I think that this is a good technical solution to a usability problem that many people are encountering and that they don't realize can be solved.
-
+
The content of this RFC only applies for parachains and parachain nodes that are "Substrate-compatible". It is in no way mandatory for parachains to comply to this RFC.
Note that "Substrate-compatible" is very loosely defined as "implements the same mechanisms and networking protocols as Substrate". The author of this RFC believes that "Substrate-compatible" should be very precisely specified, but there is controversy on this topic.
While a lot of this RFC concerns the implementation of parachain nodes, it makes use of the resources of the Polkadot chain, and as such it is important to describe them in the Polkadot specification.
@@ -2165,10 +2052,10 @@ message Response {
The maximum size of a response is set to an arbitrary 16kiB. The responding side should make sure to conform to this limit. Given that fork_id is typically very small and that the only variable-length field is addrs, this is easily achieved by limiting the number of addresses.
Implementers should be aware that addrs might be very large, and are encouraged to limit the number of addrs to an implementation-defined value.
-
+
The peer_id and addrs fields are in theory not strictly needed, as the PeerId and addresses could be always equal to the PeerId and addresses of the node being registered as the provider and serving the response. However, the Cumulus implementation currently uses two different networking stacks, one of the parachain and one for the relay chain, using two separate PeerIds and addresses, and as such the PeerId and addresses of the other networking stack must be indicated. Asking them to use only one networking stack wouldn't feasible in a realistic time frame.
The values of the genesis_hash and fork_id fields cannot be verified by the requester and are expected to be unused at the moment. Instead, a client that desires connecting to a parachain is expected to obtain the genesis hash and fork ID of the parachain from the parachain chain specification. These fields are included in the networking protocol nonetheless in case an acceptable solution is found in the future, and in order to allow use cases such as discovering parachains in a not-strictly-trusted way.
-
+
Because not all nodes want to be used as bootnodes, implementers are encouraged to provide a way to disable this mechanism. However, it is very much encouraged to leave this mechanism on by default for all parachain nodes.
This mechanism doesn't add or remove any security by itself, as it relies on existing mechanisms.
However, if the principle of chain specification bootnodes is entirely replaced with the mechanism described in this RFC (which is the objective), then it becomes important whether the mechanism in this RFC can be abused in order to make a parachain unreachable.
@@ -2177,22 +2064,22 @@ Furthermore, when a large number of providers (here, a provider is a bootnode) a
For this reason, an attacker can abuse this mechanism by randomly generating libp2p PeerIds until they find the 20 entries closest to the key representing the target parachain. They are then in control of the parachain bootnodes.
Because the key changes periodically and isn't predictable, and assuming that the Polkadot DHT is sufficiently large, it is not realistic for an attack like this to be maintained in the long term.
Furthermore, parachain clients are expected to cache a list of known good nodes on their disk. If the mechanism described in this RFC went down, it would only prevent new nodes from accessing the parachain, while clients that have connected before would not be affected.
-
-
+
+
The DHT mechanism generally has a low overhead, especially given that publishing providers is done only every 24 hours.
Doing a Kademlia iterative query then sending a provider record shouldn't take more than around 50 kiB in total of bandwidth for the parachain bootnode.
Assuming 1000 parachain full nodes, the 20 Polkadot full nodes corresponding to a specific parachain will each receive a sudden spike of a few megabytes of networking traffic when the key rotates. Again, this is relatively negligible. If this becomes a problem, one can add a random delay before a parachain full node registers itself to be the provider of the key corresponding to BabeApi_next_epoch.
Maybe the biggest uncertainty is the traffic that the 20 Polkadot full nodes will receive from light clients that desire knowing the bootnodes of a parachain. Light clients are generally encouraged to cache the peers that they use between restarts, so they should only query these 20 Polkadot full nodes at their first initialization.
If this every becomes a problem, this value of 20 is an arbitrary constant that can be increased for more redundancy.
-
+
Irrelevant.
-
+
Irrelevant.
-
+
None.
-
+
While it fundamentally doesn't change much to this RFC, using BabeApi_currentEpoch and BabeApi_nextEpoch might be inappropriate. I'm not familiar enough with good practices within the runtime to have an opinion here. Should it be an entirely new pallet?
-
+
It is possible that in the future a client could connect to a parachain without having to rely on a trusted parachain specification.
(source)
Table of Contents
@@ -2213,13 +2100,13 @@ If this every becomes a problem, this value of 20 is an arbitrary constant that
Authors Jonas Gehrlein
-
+
The Polkadot UC will generate revenue from the sale of available Coretime. The question then arises: how should we handle these revenues? Broadly, there are two reasonable paths – burning the revenue and thereby removing it from total issuance or divert it to the Treasury. This Request for Comment (RFC) presents arguments favoring burning as the preferred mechanism for handling revenues from Coretime sales.
-
+
How to handle the revenue accrued from Coretime sales is an important economic question that influences the value of DOT and should be properly discussed before deciding for either of the options. Now is the best time to start this discussion.
-
+
Polkadot DOT token holders.
-
+
This RFC discusses potential benefits of burning the revenue accrued from Coretime sales instead of diverting them to Treasury. Here are the following arguments for it.
It's in the interest of the Polkadot community to have a consistent and predictable Treasury income, because volatility in the inflow can be damaging, especially in situations when it is insufficient. As such, this RFC operates under the presumption of a steady and sustainable Treasury income flow, which is crucial for the Polkadot community's stability. The assurance of a predictable Treasury income, as outlined in a prior discussion here , or through other equally effective measures, serves as a baseline assumption for this argument.
Consequently, we need not concern ourselves with this particular issue here. This naturally begs the question - why should we introduce additional volatility to the Treasury by aligning it with the variable Coretime sales? It's worth noting that Coretime revenues often exhibit an inverse relationship with periods when Treasury spending should ideally be ramped up. During periods of low Coretime utilization (indicated by lower revenue), Treasury should spend more on projects and endeavours to increase the demand for Coretime. This pattern underscores that Coretime sales, by their very nature, are an inconsistent and unpredictable source of funding for the Treasury. Given the importance of maintaining a steady and predictable inflow, it's unnecessary to rely on another volatile mechanism. Some might argue that we could have both: a steady inflow (from inflation) and some added bonus from Coretime sales, but burning the revenue would offer further benefits as described below.
@@ -2262,13 +2149,13 @@ If this every becomes a problem, this value of 20 is an arbitrary constant that
Authors Joe Petrowski
-
+
Since the introduction of the Collectives parachain, many groups have expressed interest in forming
new -- or migrating existing groups into -- on-chain collectives. While adding a new collective is
relatively simple from a technical standpoint, the Fellowship will need to merge new pallets into
the Collectives parachain for each new collective. This RFC proposes a means for the network to
ratify a new collective, thus instructing the Fellowship to instate it in the runtime.
-
+
Many groups have expressed interest in representing collectives on-chain. Some of these include:
Parachain technical fellowship (new)
@@ -2284,12 +2171,12 @@ path to having its collective accepted on-chain as part of the protocol. Accepta
the Fellowship to include the new collective with a given initial configuration into the runtime.
However, the network, not the Fellowship, should ultimately decide which collectives are in the
interest of the network.
-
+
Polkadot stakeholders who would like to organize on-chain.
Technical Fellowship, in its role of maintaining system runtimes.
-
+
The group that wishes to operate an on-chain collective should publish the following information:
Charter, including the collective's mandate and how it benefits Polkadot. This would be similar
@@ -2323,22 +2210,22 @@ Fellowship would help them identify the pallet indices associated with a given c
or not the Fellowship member agrees with removal.
Collective removal may also come with other governance calls, for example voiding any scheduled
Treasury spends that would fund the given collective.
-
+
Passing a Root origin referendum is slow. However, given the network's investment (in terms of code
maintenance and salaries) in a new collective, this is an appropriate step.
-
+
No impacts.
-
+
Generally all new collectives will be in the Collectives parachain. Thus, performance impacts
should strictly be limited to this parachain and not affect others. As the majority of logic for
collectives is generalized and reusable, we expect most collectives to be instances of similar
subsets of modules. That is, new collectives should generally be compatible with UIs and other
services that provide collective-related functionality, with little modifications to support new
ones.
-
+
The launch of the Technical Fellowship, see the
initial forum post .
-
+
None at this time.
(source)
Table of Contents
@@ -2375,13 +2262,13 @@ ones.
Authors Oliver Tale-Yazdi
-
+
Introduces breaking changes to the Core runtime API by letting Core::initialize_block return an enum. The versions of Core is bumped from 4 to 5.
-
+
The main feature that motivates this RFC are Multi-Block-Migrations (MBM); these make it possible to split a migration over multiple blocks.
Further it would be nice to not hinder the possibility of implementing a new hook poll, that runs at the beginning of the block when there are no MBMs and has access to AllPalletsWithSystem. This hook can then be used to replace the use of on_initialize and on_finalize for non-deadline critical logic.
In a similar fashion, it should not hinder the future addition of a System::PostInherents callback that always runs after all inherents were applied.
-
+
Substrate Maintainers: They have to implement this, including tests, audit and
maintenance burden.
@@ -2389,7 +2276,7 @@ maintenance burden.
Polkadot Parachain Teams: They have to adapt to the breaking changes but then eventually have
multi-block migrations available.
-
+
This runtime API function is changed from returning () to ExtrinsicInclusionMode:
fn initialize_block(header: &<Block as BlockT>::Header)
@@ -2410,23 +2297,23 @@ multi-block migrations available.
1. Multi-Block-Migrations : The runtime is being put into lock-down mode for the duration of the migration process by returning OnlyInherents from initialize_block. This ensures that no user provided transaction can interfere with the migration process. It is absolutely necessary to ensure this, otherwise a transaction could call into un-migrated storage and violate storage invariants.
2. poll is possible by using apply_extrinsic as entry-point and not hindered by this approach. It would not be possible to use a pallet inherent like System::last_inherent to achieve this for two reasons: First is that pallets do not have access to AllPalletsWithSystem which is required to invoke the poll hook on all pallets. Second is that the runtime does currently not enforce an order of inherents.
3. System::PostInherents can be done in the same manner as poll.
-
+
The previous drawback of cementing the order of inherents has been addressed and removed by redesigning the approach. No further drawbacks have been identified thus far.
-
+
The new logic of initialize_block can be tested by checking that the block-builder will skip transactions when OnlyInherents is returned.
Security: n/a
Privacy: n/a
-
-
+
+
The performance overhead is minimal in the sense that no clutter was added after fulfilling the
requirements. The only performance difference is that initialize_block also returns an enum that needs to be passed through the WASM boundary. This should be negligible.
-
+
The new interface allows for more extensible runtime logic. In the future, this will be utilized for
multi-block-migrations which should be a huge ergonomic advantage for parachain developers.
-
+
The advice here is OPTIONAL and outside of the RFC. To not degrade
user experience, it is recommended to ensure that an updated node can still import historic blocks.
-
+
The RFC is currently being implemented in polkadot-sdk#1781 (formerly substrate#14275 ). Related issues and merge
requests:
-
+
Please suggest a better name for BlockExecutiveMode. We already tried: RuntimeExecutiveMode,
ExtrinsicInclusionMode. The names of the modes Normal and Minimal were also called
AllExtrinsics and OnlyInherents, so if you have naming preferences; please post them.
=> renamed to ExtrinsicInclusionMode
Is post_inherents more consistent instead of last_inherent? Then we should change it.
=> renamed to last_inherent
-
+
The long-term future here is to move the block building logic into the runtime. Currently there is a tight dance between the block author and the runtime; the author has to call into different runtime functions in quick succession and exact order. Any misstep causes the block to be invalid.
This can be unified and simplified by moving both parts into the runtime.
(source)
@@ -2480,14 +2367,14 @@ This can be unified and simplified by moving both parts into the runtime.
Authors Bryan Chen
-
+
This RFC proposes a set of changes to the parachain lock mechanism. The goal is to allow a parachain manager to self-service the parachain without root track governance action.
This is achieved by remove existing lock conditions and only lock a parachain when:
A parachain manager explicitly lock the parachain
OR a parachain block is produced successfully
-
+
The manager of a parachain has permission to manage the parachain when the parachain is unlocked. Parachains are by default locked when onboarded to a slot. This requires the parachain wasm/genesis must be valid, otherwise a root track governance action on relaychain is required to update the parachain.
The current reliance on root track governance actions for managing parachains can be time-consuming and burdensome. This RFC aims to address this technical difficulty by allowing parachain managers to take self-service actions, rather than relying on general public voting.
The key scenarios this RFC seeks to improve are:
@@ -2506,12 +2393,12 @@ This can be unified and simplified by moving both parts into the runtime.
A parachain SHOULD be locked when it successfully produced the first block.
A parachain manager MUST be able to perform lease swap without having a running parachain.
-
+
Parachain teams
Parachain users
-
+
A parachain can either be locked or unlocked. With parachain locked, the parachain manager does not have any privileges. With parachain unlocked, the parachain manager can perform following actions with the paras_registrar pallet:
@@ -2551,31 +2438,31 @@ This can be unified and simplified by moving both parts into the runtime.
Parachain never produced a block. Including from expired leases.
Parachain manager never explicitly lock the parachain.
-
+
Parachain locks are designed in such way to ensure the decentralization of parachains. If parachains are not locked when it should be, it could introduce centralization risk for new parachains.
For example, one possible scenario is that a collective may decide to launch a parachain fully decentralized. However, if the parachain is unable to produce block, the parachain manager will be able to replace the wasm and genesis without the consent of the collective.
It is considered this risk is tolerable as it requires the wasm/genesis to be invalid at first place. It is not yet practically possible to develop a parachain without any centralized risk currently.
Another case is that a parachain team may decide to use crowdloan to help secure a slot lease. Previously, creating a crowdloan will lock a parachain. This means crowdloan participants will know exactly the genesis of the parachain for the crowdloan they are participating. However, this actually providers little assurance to crowdloan participants. For example, if the genesis block is determined before a crowdloan is started, it is not possible to have onchain mechanism to enforce reward distributions for crowdloan participants. They always have to rely on the parachain team to fulfill the promise after the parachain is alive.
Existing operational parachains will not be impacted.
-
+
The implementation of this RFC will be tested on testnets (Rococo and Westend) first.
An audit maybe required to ensure the implementation does not introduce unwanted side effects.
There is no privacy related concerns.
-
+
This RFC should not introduce any performance impact.
-
+
This RFC should improve the developer experiences for new and existing parachain teams
-
+
This RFC is fully compatibility with existing interfaces.
-
+
Parachain Slot Extension Story: https://github.com/paritytech/polkadot/issues/4758
Allow parachain to renew lease without actually run another parachain: https://github.com/paritytech/polkadot/issues/6685
Always treat parachain that never produced block for a significant amount of time as unlocked: https://github.com/paritytech/polkadot/issues/7539
-
+
None at this stage.
-
+
This RFC is only intended to be a short term solution. Slots will be removed in future and lock mechanism is likely going to be replaced with a more generalized parachain manage & recovery system in future. Therefore long term impacts of this RFC are not considered.
-
+
Encointer is a system chain on Kusama since Jan 2022 and has been developed and maintained by the Encointer association. This RFC proposes to treat Encointer like any other system chain and include it in the fellowship repo with this PR .
-
+
Encointer does not seek to be in control of its runtime repository. As a decentralized system, the fellowship has a more suitable structure to maintain a system chain runtime repo than the Encointer association does.
Also, Encointer aims to update its runtime in batches with other system chains in order to have consistency for interoperability across system chains.
-
+
Fellowship: Will continue to take upon them the review and auditing work for the Encointer runtime, but the process is streamlined with other system chains and therefore less time-consuming compared to the separate repo and CI process we currently have.
Kusama Network: Tokenholders can easily see the changes of all system chains in one place.
Encointer Association: Further decentralization of the Encointer Network necessities like devops.
Encointer devs: Being able to work directly in the Fellowship runtimes repo to streamline and synergize with other developers.
-
+
Our PR has all details about our runtime and how we would move it into the fellowship repo.
Noteworthy: All Encointer-specific pallets will still be located in encointer's repo for the time being: https://github.com/encointer/pallets
It will still be the duty of the Encointer team to keep its runtime up to date and provide adequate test fixtures. Frequent dependency bumps with Polkadot releases would be beneficial for interoperability and could be streamlined with other system chains but that will not be a duty of fellowship. Whenever possible, all system chains could be upgraded jointly (including Encointer) with a batch referendum.
@@ -2630,17 +2517,17 @@ This can be unified and simplified by moving both parts into the runtime.
Encointer will publish all its crates crates.io
Encointer does not carry out external auditing of its runtime nor pallets. It would be beneficial but not a requirement from our side if Encointer could join the auditing process of other system chains.
-
+
Other than all other system chains, development and maintenance of the Encointer Network is mainly financed by the KSM Treasury and possibly the DOT Treasury in the future. Encointer is dedicated to maintaining its network and runtime code for as long as possible, but there is a dependency on funding which is not in the hands of the fellowship. The only risk in the context of funding, however, is that the Encointer runtime will see less frequent updates if there's less funding.
-
+
No changes to the existing system are proposed. Only changes to how maintenance is organized.
-
+
No changes
-
+
Existing Encointer runtime repo
-
+
None identified
-
+
More info on Encointer: encointer.org
(source)
Table of Contents
@@ -3560,11 +3447,11 @@ other privacy-enhancing mechanisms to address this concern.
Authors Joe Petrowski, Gavin Wood
-
+
The Relay Chain contains most of the core logic for the Polkadot network. While this was necessary
prior to the launch of parachains and development of XCM, most of this logic can exist in
parachains. This is a proposal to migrate several subsystems into system parachains.
-
+
Polkadot's scaling approach allows many distinct state machines (known generally as parachains) to
operate with common guarantees about the validity and security of their state transitions. Polkadot
provides these common guarantees by executing the state transitions on a strict subset (a backing
@@ -3576,13 +3463,13 @@ blockspace) to the network.
By minimising state transition logic on the Relay Chain by migrating it into "system chains" -- a
set of parachains that, with the Relay Chain, make up the Polkadot protocol -- the Polkadot
Ubiquitous Computer can maximise its primary offering: secure blockspace.
-
+
Parachains that interact with affected logic on the Relay Chain;
Core protocol and XCM format developers;
Tooling, block explorer, and UI developers.
-
+
The following pallets and subsystems are good candidates to migrate from the Relay Chain:
Identity
@@ -3728,36 +3615,36 @@ sensible to rehearse a migration.
Staking is the subsystem most constrained by PoV limits. Ensuring that elections, payouts, session
changes, offences/slashes, etc. work in a parachain on Kusama -- with its larger validator set --
will give confidence to the chain's robustness on Polkadot.
-
+
These subsystems will have reduced resources in cores than on the Relay Chain. Staking in particular
may require some optimizations to deal with constraints.
-
+
Standard audit/review requirements apply. More powerful multi-chain integration test tools would be
useful in developement.
-
+
Describe the impact of the proposal on the exposed functionality of Polkadot.
-
+
This is an optimization. The removal of public/user transactions on the Relay Chain ensures that its
primary resources are allocated to system performance.
-
+
This proposal alters very little for coretime users (e.g. parachain developers). Application
developers will need to interact with multiple chains, making ergonomic light client tools
particularly important for application development.
For existing parachains that interact with these subsystems, they will need to configure their
runtimes to recognize the new locations in the network.
-
+
Implementing this proposal will require some changes to pallet APIs and/or a pub-sub protocol.
Application developers will need to interact with multiple chains in the network.
-
+
-
+
There remain some implementation questions, like how to use balances for both Staking and
Governance. See, for example, Moving Staking off the Relay
Chain .
-
+
Ideally the Relay Chain becomes transactionless, such that not even balances are represented there.
With Staking and Governance off the Relay Chain, this is not an unreasonable next step.
With Identity on Polkadot, Kusama may opt to drop its People Chain.
@@ -3792,13 +3679,13 @@ With Staking and Governance off the Relay Chain, this is not an unreasonable nex
Authors Vedhavyas Singareddi
-
+
At the moment, we have system_version field on RuntimeVersion that derives which state version is used for the
Storage.
We have a use case where we want extrinsics root is derived using StateVersion::V1. Without defining a new field
under RuntimeVersion,
we would like to propose adding system_version that can be used to derive both storage and extrinsic state version.
-
+
Since the extrinsic state version is always StateVersion::V0, deriving extrinsic root requires full extrinsic data.
This would be problematic when we need to verify the extrinsics root if the extrinsic sizes are bigger. This problem is
further explored in https://github.com/polkadot-fellows/RFCs/issues/19
@@ -3810,11 +3697,11 @@ One of the main challenge here is some extrinsics could be big enough that this
included in the Consensus block due to Block's weight restriction.
If the extrinsic root is derived using StateVersion::V1, then we do not need to pass the full extrinsic data but
rather at maximum, 32 byte of extrinsic data.
-
+
Technical Fellowship, in its role of maintaining system runtimes.
-
+
In order to use project specific StateVersion for extrinsic roots, we proposed
an implementation that introduced
parameter to frame_system::Config but that unfortunately did not feel correct.
@@ -3840,26 +3727,26 @@ pub const VERSION: RuntimeVersion = RuntimeVersion {
system_version: 1,
};
}
-
+
There should be no drawbacks as it would replace state_version with same behavior but documentation should be updated
so that chains know which system_version to use.
-
+
AFAIK, should not have any impact on the security or privacy.
-
+
These changes should be compatible for existing chains if they use state_version value for system_verision.
-
+
I do not believe there is any performance hit with this change.
-
+
This does not break any exposed Apis.
-
+
This change should not break any compatibility.
-
+
We proposed introducing a similar change by introducing a
parameter to frame_system::Config but did not feel that
is the correct way of introducing this change.
-
+
I do not have any specific questions about this change at the moment.
-
+
IMO, this change is pretty self-contained and there won't be any future work necessary.
(source)
Table of Contents
@@ -3888,9 +3775,9 @@ is the correct way of introducing this change.
Authors Sebastian Kunert
-
+
This RFC proposes a new host function for parachains, storage_proof_size. It shall provide the size of the currently recorded storage proof to the runtime. Runtime authors can use the proof size to improve block utilization by retroactively reclaiming unused storage weight.
-
+
The number of extrinsics that are included in a parachain block is limited by two constraints: execution time and proof size. FRAME weights cover both concepts, and block-builders use them to decide how many extrinsics to include in a block. However, these weights are calculated ahead of time by benchmarking on a machine with reference hardware. The execution-time properties of the state-trie and its storage items are unknown at benchmarking time. Therefore, we make some assumptions about the state-trie:
Trie Depth: We assume a trie depth to account for intermediary nodes.
@@ -3899,12 +3786,12 @@ is the correct way of introducing this change.
These pessimistic assumptions lead to an overestimation of storage weight, negatively impacting block utilization on parachains.
In addition, the current model does not account for multiple accesses to the same storage items. While these repetitive accesses will not increase storage-proof size, the runtime-side weight monitoring will account for them multiple times. Since the proof size is completely opaque to the runtime, we can not implement retroactive storage weight correction.
A solution must provide a way for the runtime to track the exact storage-proof size consumed on a per-extrinsic basis.
-
+
Parachain Teams: They MUST include this host function in their runtime and node.
Light-client Implementors: They SHOULD include this host function in their runtime and node.
-
+
This RFC proposes a new host function that exposes the storage-proof size to the runtime. As a result, runtimes can implement storage weight reclaiming mechanisms that improve block utilization.
This RFC proposes the following host function signature:
#![allow(unused)]
@@ -3912,14 +3799,14 @@ is the correct way of introducing this change.
fn ext_storage_proof_size_version_1() -> u64;
}
The host function MUST return an unsigned 64-bit integer value representing the current proof size. In block-execution and block-import contexts, this function MUST return the current size of the proof. To achieve this, parachain node implementors need to enable proof recording for block imports. In other contexts, this function MUST return 18446744073709551615 (u64::MAX), which represents disabled proof recording.
-
-
+
+
Parachain nodes need to enable proof recording during block import to correctly implement the proposed host function. Benchmarking conducted with balance transfers has shown a performance reduction of around 0.6% when proof recording is enabled.
-
+
The host function proposed in this RFC allows parachain runtime developers to keep track of the proof size. Typical usage patterns would be to keep track of the overall proof size or the difference between subsequent calls to the host function.
-
+
Parachain teams will need to include this host function to upgrade.
-
+
Pull Request including proposed host function: PoV Reclaim (Clawback) Node Side .
Issue with discussion: [FRAME core] Clawback PoV Weights For Dispatchables
@@ -3973,12 +3860,12 @@ is the correct way of introducing this change.
Authors Aurora Poppyseed , Just_Luuuu , Viki Val , Joe Petrowski
-
+
This RFC proposes changing the current deposit requirements on the Polkadot and Kusama Asset Hub for
creating an NFT collection, minting an individual NFT, and lowering its corresponding metadata and
attribute deposits. The objective is to lower the barrier to entry for NFT creators, fostering a
more inclusive and vibrant ecosystem while maintaining network integrity and preventing spam.
-
+
The current deposit of 10 DOT for collection creation (along with 0.01 DOT for item deposit and 0.2
DOT for metadata and attribute deposits) on the Polkadot Asset Hub and 0.1 KSM on Kusama Asset Hub
presents a significant financial barrier for many NFT creators. By lowering the deposit
@@ -3995,7 +3882,7 @@ low.
Deposits SHOULD be derived from deposit function, adjusted by correspoding pricing mechansim.
-
+
NFT Creators : Primary beneficiaries of the proposed change, particularly those who found the
current deposit requirements prohibitive.
@@ -4009,7 +3896,7 @@ collections, enhancing the overall ecosystem.
Previous discussions have been held within the Polkadot
Forum , with
artists expressing their concerns about the deposit amounts.
-
+
This RFC proposes a revision of the deposit constants in the configuration of the NFTs pallet on the
Polkadot Asset Hub. The new deposit amounts would be determined by a standard deposit formula.
As of v1.1.1, the Collection Deposit is 10 DOT and the Item Deposit is 0.01 DOT (see
@@ -4080,7 +3967,7 @@ application to avoid sudden rate changes, as in:
where the constant a moves the inflection to lower or higher x values, the constant b adjusts
the rate of the deposit increase, and the independent variable x is the number of collections or
items, depending on application.
-
+
Modifying deposit requirements necessitates a balanced assessment of the potential drawbacks.
Highlighted below are cogent points extracted from the discourse on the Polkadot Forum
conversation ,
@@ -4109,22 +3996,22 @@ stakeholders wouldn't be much affected. As of date 9th January 2024 there are 42
Polkadot Asset Hub and 191 on Kusama Asset Hub with a relatively low volume.
-
+
As noted above, state bloat is a security concern. In the case of abuse, governance could adapt by
increasing deposit rates and/or using forceDestroy on collections agreed to be spam.
-
-
+
+
The primary performance consideration stems from the potential for state bloat due to increased
activity from lower deposit requirements. It's vital to monitor and manage this to avoid any
negative impact on the chain's performance. Strategies for mitigating state bloat, including
efficient data management and periodic reviews of storage requirements, will be essential.
-
+
The proposed change aims to enhance the user experience for artists, traders, and utilizers of
Kusama and Polkadot Asset Hubs, making Polkadot and Kusama more accessible and user-friendly.
-
+
The change does not impact compatibility as a redeposit function is already implemented.
-
+
If this RFC is accepted, there should not be any unresolved questions regarding how to adapt the
implementation of deposits for NFT collections.
@@ -4212,11 +4099,11 @@ Polkadot and Kusama networks.
Authors Alin Dima
-
+
Propose a way of permuting the availability chunk indices assigned to validators, in the context of
recovering available data from systematic chunks , with the
purpose of fairly distributing network bandwidth usage.
-
+
Currently, the ValidatorIndex is always identical to the ChunkIndex. Since the validator array is only shuffled once
per session, naively using the ValidatorIndex as the ChunkIndex would pose an unreasonable stress on the first N/3
validators during an entire session, when favouring availability recovery from systematic chunks.
@@ -4224,9 +4111,9 @@ validators during an entire session, when favouring availability recovery from s
systematic availability chunks to different validators, based on the relay chain block and core.
The main purpose is to ensure fair distribution of network bandwidth usage for availability recovery in general and in
particular for systematic chunk holders.
-
+
Relay chain node core developers.
-
+
An erasure coding algorithm is considered systematic if it preserves the original unencoded data as part of the
resulting code.
@@ -4380,7 +4267,7 @@ struct (added in https://github.com/paritytech/polkadot-sdk/pull/2177Configuration::set_node_feature extrinsic. Once the feature is enabled and new configuration is live, the
validator->chunk mapping ceases to be a 1:1 mapping and systematic recovery may begin.
-
+
Getting access to the core_index that used to be occupied by a candidate in some parts of the dispute protocol is
very complicated (See appendix A ). This RFC assumes that availability-recovery processes initiated during
@@ -4390,28 +4277,28 @@ mitigate this problem and will likely be needed in the future for CoreJam and/or
Related discussion about updating CandidateReceipt
It's a breaking change that requires all validators and collators to upgrade their node version at least once.
-
+
Extensive testing will be conducted - both automated and manual.
This proposal doesn't affect security or privacy.
-
-
+
+
This is a necessary data availability optimisation, as reed-solomon erasure coding has proven to be a top consumer of
CPU time in polkadot as we scale up the parachain block size and number of availability cores.
With this optimisation, preliminary performance results show that CPU time used for reed-solomon coding/decoding can be
halved and total POV recovery time decrease by 80% for large POVs. See more
here .
-
+
Not applicable.
-
+
This is a breaking change. See upgrade path section above.
All validators and collators need to have upgraded their node versions before the feature will be enabled via a
governance call.
-
+
See comments on the tracking issue and the
in-progress PR
-
+
Not applicable.
-
+
This enables future optimisations for the performance of availability recovery, such as retrieving batched systematic
chunks from backers/approval-checkers.
@@ -4486,7 +4373,7 @@ dispute scenarios.
Authors Bastian Köcher
-
+
This RFC proposes to changes the SessionKeys::generate_session_keys runtime api interface. This runtime api is used by validator operators to
generate new session keys on a node. The public session keys are then registered manually on chain by the validator operator.
Before this RFC it was not possible by the on chain logic to ensure that the account setting the public session keys is also in
@@ -4494,7 +4381,7 @@ possession of the private session keys. To solve this the RFC proposes to pass t
registration on chain to generate_session_keys. Further this RFC proposes to change the return value of the generate_session_keys
function also to not only return the public session keys, but also the proof of ownership for the private session keys. The
validator operator will then need to send the public session keys and the proof together when registering new session keys on chain.
-
+
When submitting the new public session keys to the on chain logic there doesn't exist any verification of possession of the private session keys.
This means that users can basically register any kind of public session keys on chain. While the on chain logic ensures that there are
no duplicate keys, someone could try to prevent others from registering new session keys by setting them first. While this wouldn't bring
@@ -4502,13 +4389,13 @@ the "attacker" any kind of advantage, more like disadvantages (potenti
e.g. changing its session key in the event of a private session key leak.
After this RFC this kind of attack would not be possible anymore, because the on chain logic can verify that the sending account
is in ownership of the private session keys.
-
+
Polkadot runtime implementors
Polkadot node implementors
Validator operators
-
+
We are first going to explain the proof format being used:
#![allow(unused)]
fn main() {
@@ -4542,31 +4429,31 @@ actual exported function signature looks like:
already gets the proof passed as Vec<u8>. This proof needs to be decoded to
the actual Proof type as explained above. The proof and the SCALE encoded
account_id of the sender are used to verify the ownership of the SessionKeys.
-
+
Validator operators need to pass the their account id when rotating their session keys in a node.
This will require updating some high level docs and making users familiar with the slightly changed ergonomics.
-
+
Testing of the new changes only requires passing an appropriate owner for the current testing context.
The changes to the proof generation and verification got audited to ensure they are correct.
-
-
+
+
The session key generation is an offchain process and thus, doesn't influence the performance of the
chain. Verifying the proof is done on chain as part of the transaction logic for setting the session keys.
The verification of the proof is a signature verification number of individual session keys times. As setting
the session keys is happening quite rarely, it should not influence the overall system performance.
-
+
The interfaces have been optimized to make it as easy as possible to generate the ownership proof.
-
+
Introduces a new version of the SessionKeys runtime api. Thus, nodes should be updated before
a runtime is enacted that contains these changes otherwise they will fail to generate session keys.
The RPC that exists around this runtime api needs to be updated to support passing the account id
and for returning the ownership proof alongside the public session keys.
UIs would need to be updated to support the new RPC and the changed on chain logic.
-
+
None.
-
+
None.
-
+
Substrate implementation of the RFC .
(source)
Table of Contents
@@ -4604,10 +4491,10 @@ and for returning the ownership proof alongside the public session keys.
Authors Joe Petrowski, Gavin Wood
-
+
The Fellowship Manifesto states that members should receive a monthly allowance on par with gross
income in OECD countries. This RFC proposes concrete amounts.
-
+
One motivation for the Technical Fellowship is to provide an incentive mechanism that can induct and
retain technical talent for the continued progress of the network.
In order for members to uphold their commitment to the network, they should receive support to
@@ -4617,12 +4504,12 @@ on par with a full-time job. Providing a livable wage to those making such contr
pragmatic to work full-time on Polkadot.
Note: Goals of the Fellowship, expectations for each Dan, and conditions for promotion and demotion
are all explained in the Manifesto. This RFC is only to propose concrete values for allowances.
-
+
Fellowship members
Polkadot Treasury
-
+
This RFC proposes agreeing on salaries relative to a single level, the III Dan. As such, changes to
the amount or asset used would only be on a single value, and all others would adjust relatively. A
III Dan is someone whose contributions match the expectations of a full-time individual contributor.
@@ -4682,19 +4569,19 @@ other hand, more people will likely join the Fellowship in the coming years.
Updates to these levels, whether relative ratios, the asset used, or the amount, shall be done via
RFC.
-
+
By not using DOT for payment, the protocol relies on the stability of other assets and the ability
to acquire them. However, the asset of choice can be changed in the future.
-
+
N/A.
-
-
+
+
N/A
-
+
N/A
-
+
N/A
-
+
-
+
None at present.
(source)
Table of Contents
@@ -4735,11 +4622,11 @@ States
Authors Pierre Krieger
-
+
When two peers connect to each other, they open (amongst other things) a so-called "notifications protocol" substream dedicated to gossiping transactions to each other.
Each notification on this substream currently consists in a SCALE-encoded Vec<Transaction> where Transaction is defined in the runtime.
This RFC proposes to modify the format of the notification to become (Compact(1), Transaction). This maintains backwards compatibility, as this new format decodes as a Vec of length equal to 1.
-
+
There exists three motivations behind this change:
@@ -4752,9 +4639,9 @@ States
It makes the implementation way more straight-forward by not having to repeat code related to back-pressure. See explanations below.
-
+
Low-level developers.
-
+
To give an example, if you send one notification with three transactions, the bytes that are sent on the wire are:
concat(
leb128(total-size-in-bytes-of-the-rest),
@@ -4774,23 +4661,23 @@ A SCALE-compact encoded 1 is one byte of value 4. In o
This is equivalent to forcing the Vec<Transaction> to always have a length of 1, and I expect the Substrate implementation to simply modify the sending side to add a for loop that sends one notification per item in the Vec.
As explained in the motivation section, this allows extracting scale(transaction) items without having to know how to decode them.
By "flattening" the two-steps hierarchy, an implementation only needs to back-pressure individual notifications rather than back-pressure notifications and transactions within notifications.
-
+
This RFC chooses to maintain backwards compatibility at the cost of introducing a very small wart (the Compact(1)).
An alternative could be to introduce a new version of the transactions notifications protocol that sends one Transaction per notification, but this is significantly more complicated to implement and can always be done later in case the Compact(1) is bothersome.
-
+
Irrelevant.
-
-
+
+
Irrelevant.
-
+
Irrelevant.
-
+
The change is backwards compatible if done in two steps: modify the sender to always send one transaction per notification, then, after a while, modify the receiver to enforce the new format.
-
+
Irrelevant.
-
+
None.
-
+
None. This is a simple isolated change.
(source)
Table of Contents
@@ -4830,20 +4717,20 @@ This is equivalent to forcing the Vec<Transaction> to always
Authors Pierre Krieger
-
+
This RFC proposes to make the mechanism of RFC #8 more generic by introducing the concept of "capabilities".
Implementations can implement certain "capabilities", such as serving old block headers or being a parachain bootnode.
The discovery mechanism of RFC #8 is extended to be able to discover nodes of specific capabilities.
-
+
The Polkadot peer-to-peer network is made of nodes. Not all these nodes are equal. Some nodes store only the headers of recent blocks, some nodes store all the block headers and bodies since the genesis, some nodes store the storage of all blocks since the genesis, and so on.
It is currently not possible to know ahead of time (without connecting to it and asking) which nodes have which data available, and it is not easily possible to build a list of nodes that have a specific piece of data available.
If you want to download for example the header of block 500, you have to connect to a randomly-chosen node, ask it for block 500, and if it says that it doesn't have the block, disconnect and try another randomly-chosen node.
In certain situations such as downloading the storage of old blocks, nodes that have the information are relatively rare, and finding through trial and error a node that has the data can take a long time.
This RFC attempts to solve this problem by giving the possibility to build a list of nodes that are capable of serving specific data.
-
+
Low-level client developers.
People interested in accessing the archive of the chain.
-
+
Reading RFC #8 first might help with comprehension, as this RFC is very similar.
Please keep in mind while reading that everything below applies for both relay chains and parachains, except mentioned otherwise.
@@ -4879,30 +4766,30 @@ If blocks pruning is enabled and the chain is a relay chain, then Substrate unfo
Implementations that have the head of the chain provider capability do not register themselves as providers, but instead are the nodes that participate in the main DHT. In other words, they are the nodes that serve requests of the /<genesis_hash>/kad protocol.
Any implementation that isn't a head of the chain provider (read: light clients) must not participate in the main DHT. This is already presently the case.
Implementations must not participate in the main DHT if they don't fulfill the capability yet. For example, a node that is still in the process of warp syncing must not participate in the main DHT. However, assuming that warp syncing doesn't last more than a few seconds, it is acceptable to ignore this requirement in order to avoid complicating implementations too much.
-
+
None that I can see.
-
+
The content of this section is basically the same as the one in RFC 8.
This mechanism doesn't add or remove any security by itself, as it relies on existing mechanisms.
Due to the way Kademlia works, it would become the responsibility of the 20 Polkadot nodes whose sha256(peer_id) is closest to the key (described in the explanations section) to store the list of nodes that have specific capabilities.
Furthermore, when a large number of providers are registered, only the providers closest to the key are kept, up to a certain implementation-defined limit.
For this reason, an attacker can abuse this mechanism by randomly generating libp2p PeerIds until they find the 20 entries closest to the key representing the target capability. They are then in control of the list of nodes with that capability. While doing this can in no way be actually harmful, it could lead to eclipse attacks.
Because the key changes periodically and isn't predictable, and assuming that the Polkadot DHT is sufficiently large, it is not realistic for an attack like this to be maintained in the long term.
-
-
+
+
The DHT mechanism generally has a low overhead, especially given that publishing providers is done only every 24 hours.
Doing a Kademlia iterative query then sending a provider record shouldn't take more than around 50 kiB in total of bandwidth for the parachain bootnode.
Assuming 1000 nodes with a specific capability, the 20 Polkadot full nodes corresponding to that capability will each receive a sudden spike of a few megabytes of networking traffic when the key rotates. Again, this is relatively negligible. If this becomes a problem, one can add a random delay before a node registers itself to be the provider of the key corresponding to BabeApi_next_epoch.
Maybe the biggest uncertainty is the traffic that the 20 Polkadot full nodes will receive from light clients that desire knowing the nodes with a capability. If this every becomes a problem, this value of 20 is an arbitrary constant that can be increased for more redundancy.
-
+
Irrelevant.
-
+
Irrelevant.
-
+
Unknown.
-
+
While it fundamentally doesn't change much to this RFC, using BabeApi_currentEpoch and BabeApi_nextEpoch might be inappropriate. I'm not familiar enough with good practices within the runtime to have an opinion here. Should it be an entirely new pallet?
-
+
This RFC would make it possible to reliably discover archive nodes, which would make it possible to reliably send archive node requests, something that isn't currently possible. This could solve the problem of finding archive RPC node providers by migrating archive-related request to using the native peer-to-peer protocol rather than JSON-RPC.
If we ever decide to break backwards compatibility, we could divide the "history" and "archive" capabilities in two, between nodes capable of serving older blocks and nodes capable of serving newer blocks.
We could even add to the peer-to-peer network nodes that are only capable of serving older blocks (by reading from a database) but do not participate in the head of the chain, and that just exist for historical purposes.
@@ -4951,12 +4838,12 @@ We could even add to the peer-to-peer network nodes that are only capable of ser
Authors Zondax AG, Parity Technologies
-
+
To interact with chains in the Polkadot ecosystem it is required to know how transactions are encoded and how to read state. For doing this, Polkadot-SDK, the framework used by most of the chains in the Polkadot ecosystem, exposes metadata about the runtime to the outside. UIs, wallets, and others can use this metadata to interact with these chains. This makes the metadata a crucial piece of the transaction encoding as users are relying on the interacting software to encode the transactions in the correct format.
It gets even more important when the user signs the transaction in an offline wallet, as the device by its nature cannot get access to the metadata without relying on the online wallet to provide it. This makes it so that the offline wallet needs to trust an online party, deeming the security assumptions of the offline devices, mute.
This RFC proposes a way for offline wallets to leverage metadata, within the constraints of these. The design idea is that the metadata is chunked and these chunks are put into a merkle tree. The root hash of this merkle tree represents the metadata. The offline wallets can use the root hash to decode transactions by getting proofs for the individual chunks of the metadata. This root hash is also included in the signed data of the transaction (but not sent as part of the transaction). The runtime is then including its known metadata root hash when verifying the transaction. If the metadata root hash known by the runtime differs from the one that the offline wallet used, it very likely means that the online wallet provided some fake data and the verification of the transaction fails.
Users depend on offline wallets to correctly display decoded transactions before signing. With merkleized metadata, they can be assured of the transaction's legitimacy, as incorrect transactions will be rejected by the runtime.
-
+
Polkadot's innovative design (both relay chain and parachains) present the ability to developers to upgrade their network as frequently as they need. These systems manage to have integrations working after the upgrades with the help of FRAME Metadata. This Metadata, which is in the order of half a MiB for most Polkadot-SDK chains, completely describes chain interfaces and properties. Securing this metadata is key for users to be able to interact with the Polkadot-SDK chain in the expected way.
On the other hand, offline wallets provide a secure way for Blockchain users to hold their own keys (some do a better job than others). These devices seldomly get upgraded, usually account for one particular network and hold very small internal memories. Currently in the Polkadot ecosystem there is no secure way of having these offline devices know the latest Metadata of the Polkadot-SDK chain they are interacting with. This results in a plethora of similar yet slightly different offline wallets for all different Polkadot-SDK chains, as well as the impediment of keeping these regularly updated, thus not fully leveraging Polkadot-SDK’s unique forkless upgrade feature.
The two main reasons why this is not possible today are:
@@ -4983,14 +4870,14 @@ We could even add to the peer-to-peer network nodes that are only capable of ser
Chunks handling mechanism SHOULD support chunks being sent in any order without memory utilization overhead;
Unused enum variants MUST be stripped (this has great impact on transmitted metadata size; examples: era enum, enum with all calls for call batching).
-
+
Runtime implementors
UI/wallet implementors
Offline wallet implementors
The idea for this RFC was brought up by runtime implementors and was extensively discussed with offline wallet implementors. It was designed in such a way that it can work easily with the existing offline wallet solutions in the Polkadot ecosystem.
-
+
The FRAME metadata provides a wide range of information about a FRAME based runtime. It contains information about the pallets, the calls per pallet, the storage entries per pallet, runtime APIs, and type information about most of the types that are used in the runtime. For decoding extrinsics on an offline wallet, what is mainly required is type information. Most of the other information in the FRAME metadata is actually not required for decoding extrinsics and thus it can be removed. Therefore, the following is a proposal on a custom representation of the metadata and how this custom metadata is chunked, ensuring that only the needed chunks required for decoding a particular extrinsic are sent to the offline wallet. The necessary information to transform the FRAME metadata type information into the type information presented in this RFC will be provided. However, not every single detail on how to convert from FRAME metadata into the RFC type information is described.
First, the MetadataDigest is introduced. After that, ExtrinsicMetadata is covered and finally the actual format of the type information. Then pruning of unrelated type information is covered and how to generate the TypeRefs. In the latest step, merkle tree calculation is explained.
@@ -5261,23 +5148,23 @@ nodes: [[[2, 3], [4, 5]], [0, 1]]
Included in the extrinsic is u8, the "mode". The mode is either 0 which means to not include the metadata hash in the signed data or the mode is 1 to include the metadata hash in V1.
Included in the signed data is an Option<[u8; 32]>. Depending on the mode the value is either None or Some(metadata_hash).
-
+
The chunking may not be the optimal case for every kind of offline wallet.
-
+
All implementations are required to strictly follow the RFC to generate the metadata hash. This includes which hash function to use and how to construct the metadata types tree. So, all implementations are following the same security criteria. As the chains will calculate the metadata hash at compile time, the build process needs to be trusted. However, this is already a solved problem in the Polkadot ecosystem by using reproducible builds. So, anyone can rebuild a chain runtime to ensure that a proposal is actually containing the changes as advertised.
Implementations can also be tested easily against each other by taking some metadata and ensuring that they all come to the same metadata hash.
Privacy of users should also not be impacted. This assumes that wallets will generate the metadata hash locally and don't leak any information to third party services about which chunks a user will send to their offline wallet. Besides that, there is no leak of private information as getting the raw metadata from the chain is an operation that is done by almost everyone.
-
-
+
+
There should be no measurable impact on performance to Polkadot or any other chain using this feature. The metadata root hash is calculated at compile time and at runtime it is optionally used when checking the signature of a transaction. This means that at runtime no performance heavy operations are done.
The proposal alters the way a transaction is built, signed, and verified. So, this imposes some required changes to any kind of developer who wants to construct transactions for Polkadot or any chain using this feature. As the developer can pass 0 for disabling the verification of the metadata root hash, it can be easily ignored.
-
+
RFC 46 produced by the Alzymologist team is a previous work reference that goes in this direction as well.
On other ecosystems, there are other solutions to the problem of trusted signing. Cosmos for example has a standardized way of transforming a transaction into some textual representation and this textual representation is included in the signed data. Basically achieving the same as what the RFC proposes, but it requires that for every transaction applied in a block, every node in the network always has to generate this textual representation to ensure the transaction signature is valid.
-
+
None.
-
+
Does it work with all kind of offline wallets?
Generic types currently appear multiple times in the metadata with each instantiation. It could be may be useful to have generic type only once in the metadata and declare the generic parameters at their instantiation.
@@ -5315,20 +5202,20 @@ nodes: [[[2, 3], [4, 5]], [0, 1]]
Authors George Pisaltu
-
+
This RFC proposes a change to the extrinsic format to incorporate a new transaction type, the "general" transaction.
-
+
"General" transactions, a new type of transaction that this RFC aims to support, are transactions which obey the runtime's extensions and have according extension data yet do not have hard-coded signatures. They are first described in Extrinsic Horizon and supported in 3685 . They enable users to authorize origins in new, more flexible ways (e.g. ZK proofs, mutations over pre-authenticated origins). As of now, all transactions are limited to the account signing model for origin authorization and any additional origin changes happen in extrinsic logic, which cannot leverage the validation process of extensions.
An example of a use case for such an extension would be sponsoring the transaction fee for some other user. A new extension would be put in place to verify that a part of the initial payload was signed by the author under who the extrinsic should run and change the origin, but the payment for the whole transaction should be handled under a sponsor's account. A POC for this can be found in 3712 .
The new "general" transaction type would coexist with both current transaction types for a while and, therefore, the current number of supported transaction types, capped at 2, is insufficient. A new extrinsic type must be introduced alongside the current signed and unsigned types. Currently, an encoded extrinsic's first byte indicate the type of extrinsic using the most significant bit - 0 for unsigned, 1 for signed - and the 7 following bits indicate the extrinsic format version , which has been equal to 4 for a long time.
By taking one bit from the extrinsic format version encoding, we can support 2 additional extrinsic types while also having a minimal impact on our capability to extend and change the extrinsic format in the future.
-
+
Runtime users
Runtime devs
Wallet devs
-
+
An extrinsic is currently encoded as one byte to identify the extrinsic type and version. This RFC aims to change the interpretation of this byte regarding the reserved bits for the extrinsic type and version. In the following explanation, bits represented using T make up the extrinsic type and bits represented using V make up the extrinsic version.
Currently, the bit allocation within the leading encoded byte is 0bTVVV_VVVV. In practice in the Polkadot ecosystem, the leading byte would be 0bT000_0100 as the version has been equal to 4 for a long time.
This RFC proposes for the bit allocation to change to 0bTTVV_VVVV. As a result, the extrinsic format version will be bumped to 5 and the extrinsic type bit representation would change as follows:
@@ -5339,23 +5226,23 @@ nodes: [[[2, 3], [4, 5]], [0, 1]]
11 reserved
-
+
This change would reduce the maximum possible transaction version from the current 127 to 63. In order to bypass the new, lower limit, the extrinsic format would have to change again.
-
+
There is no impact on testing, security or privacy.
-
+
This change would allow Polkadot to support new types of transactions, with the specific "general" transaction type in mind at the time of writing this proposal.
-
+
There is no performance impact.
-
+
The impact to developers and end-users is minimal as it would just be a bitmask update on their part for parsing the extrinsic type along with the version.
-
+
This change breaks backwards compatiblity because any transaction that is neither signed nor unsigned, but a new transaction type, would be interpreted as having a future extrinsic format version.
-
+
The original design was originally proposed in the TransactionExtension PR , which is also the motivation behind this effort.
-
+
None.
-
+
Following this change, the "general" transaction type will be introduced as part of the Extrinsic Horizon effort, which will shape future work.
(source)
Table of Contents
@@ -5388,16 +5275,16 @@ nodes: [[[2, 3], [4, 5]], [0, 1]]
Authors Alex Gheorghe (alexggh)
-
+
Extend the DHT authority discovery records with a signed creation time, so that nodes can determine which record is newer and always decide to prefer the newer records to the old ones.
-
+
Currently, we use the Kademlia DHT for storing records regarding the p2p address of an authority discovery key, the problem is that if the nodes decide to change its PeerId/Network key it will publish a new record, however because of the distributed and replicated nature of the DHT there is no way to tell which record is newer so both old PeerId and the new PeerId will live in the network until the old one expires(36h), that creates all sort of problem and leads to the node changing its address not being properly connected for up to 36h.
After this RFC, nodes are extended to decide to keep the new record and propagate the new record to nodes that have the old record stored, so in the end all the nodes will converge faster to the new record(in the order of minutes, not 36h)
Implementation of the rfc: https://github.com/paritytech/polkadot-sdk/pull/3786.
Current issue without this enhacement: https://github.com/paritytech/polkadot-sdk/issues/3673
-
+
Polkadot node developers.
-
+
This RFC heavily relies on the functionalities of the Kademlia DHT already in use by Polkadot.
You can find a link to the specification here .
In a nutshell, on a specific node the current authority-discovery protocol publishes Kademila DHT records at startup and periodically. The records contain the full address of the node for each authorithy key it owns. The node tries also to find the full address of all authorities in the network by querying the DHT and picking up the first record it finds for each of the authority id it found on chain.
@@ -5430,24 +5317,24 @@ You can find a link to the specification
+
In theory the new protocol creates a bit more traffic on the DHT network, because it waits for DHT records to be received from more than one node, while in the current implementation we just take the first record that we receive and cancel all in-flight requests to other peers. However, because the redundancy factor will be relatively small and this operation happens rarerly, every 10min, this cost is negligible.
-
+
This RFC's implementation https://github.com/paritytech/polkadot-sdk/pull/3786 had been tested on various local test networks and versi.
With regard to security the creation time is wrapped inside SignedAuthorityRecord wo it will be signed with the authority id key, so there is no way for other malicious nodes to manipulate this field without the received node observing.
-
+
Irrelevant.
-
+
Irrelevant.
-
+
Irrelevant.
-
+
The changes are backwards compatible with the existing protocol, so nodes with both the old protocol and newer protocol can exist in the network, this is achieved by the fact that we use protobuf for serializing and deserializing the records, so new fields will be ignore when deserializing with the older protocol and vice-versa when deserializing an old record with the new protocol the new field will be None and the new code accepts this record as being valid.
-
+
The enhancements have been inspired by the algorithm specified in here
-
+
N/A
-
+
N/A
(source)
Table of Contents
@@ -5493,23 +5380,23 @@ in order to speed up the time until all nodes have the newest record, nodes can
Authors Jonas Gehrlein & Alistair Stewart
-
+
This RFC proposes a flexible unbonding mechanism for tokens that are locked from staking on the Relay Chain (DOT/KSM), aiming to enhance user convenience without compromising system security.
Locking tokens for staking ensures that Polkadot is able to slash tokens backing misbehaving validators. With changing the locking period, we still need to make sure that Polkadot can slash enough tokens to deter misbehaviour. This means that not all tokens can be unbonded immediately, however we can still allow some tokens to be unbonded quickly.
The new mechanism leads to a signficantly reduced unbonding time on average, by queuing up new unbonding requests and scaling their unbonding duration relative to the size of the queue. New requests are executed with a minimum of 2 days, when the queue is comparatively empty, to the conventional 28 days, if the sum of requests (in terms of stake) exceed some threshold. In scenarios between these two bounds, the unbonding duration scales proportionately. The new mechanism will never be worse than the current fixed 28 days.
In this document we also present an empirical analysis by retrospectively fitting the proposed mechanism to the historic unbonding timeline and show that the average unbonding duration would drastically reduce, while still being sensitive to large unbonding events. Additionally, we discuss implications for UI, UX, and conviction voting.
Note: Our proposition solely focuses on the locks imposed from staking. Other locks, such as governance, remain unchanged. Also, this mechanism should not be confused with the already existing feature of FastUnstake , which lets users unstake tokens immediately that have not received rewards for 28 days or longer.
As an initial step to gauge its effectiveness and stability, it is recommended to implement and test this model on Kusama before considering its integration into Polkadot, with appropriate adjustments to the parameters. In the following, however, we limit our discussion to Polkadot.
-
+
Polkadot has one of the longest unbonding periods among all Proof-of-Stake protocols, because security is the most important goal. Staking on Polkadot is still attractive compared to other protocols because of its above-average staking APY. However the long unbonding period harms usability and deters potential participants that want to contribute to the security of the network.
The current length of the unbonding period imposes significant costs for any entity that even wants to perform basic tasks such as a reorganization / consolidation of their stashes, or updating their private key infrastructure. It also limits participation of users that have a large preference for liquidity.
The combination of long unbonding periods and high returns has lead to the proliferation of liquid staking , where parachains or centralised exchanges offer users their staked tokens before the 28 days unbonding period is over either in original DOT/KSM form or derivative tokens. Liquid staking is harmless if few tokens are involved but it could result in many validators being selected by a few entities if a large fraction of DOTs were involved. This may lead to centralization (see here for more discussion on threats of liquid staking) and an opportunity for attacks.
The new mechanism greatly increases the competitiveness of Polkadot, while maintaining sufficient security.
-
+
Every DOT/KSM token holder
-
+
Before diving into the details of how to implement the unbonding queue, we give readers context about why Polkadot has a 28-day unbonding period in the first place. The reason for it is to prevent long-range attacks (LRA) that becomes theoretically possible if more than 1/3 of validators collude. In essence, a LRA describes the inability of users, who disconnect from the consensus at time t0 and reconnects later, to realize that validators which were legitimate at a certain time, say t0 but dropped out in the meantime, are not to be trusted anymore. That means, for example, a user syncing the state could be fooled by trusting validators that fell outside the active set of validators after t0, and are building a competitive and malicious chain (fork).
LRAs of longer than 28 days are mitigated by the use of trusted checkpoints, which are assumed to be no more than 28 days old. A new node that syncs Polkadot will start at the checkpoint and look for proofs of finality of later blocks, signed by 2/3 of the validators. In an LRA fork, some of the validator sets may be different but only if 2/3 of some validator set in the last 28 days signed something incorrect.
If we detect an LRA of no more than 28 days with the current unbonding period, then we should be able to detect misbehaviour from over 1/3 of validators whose nominators are still bonded. The stake backing these validators is considerable fraction of the total stake (empirically it is 0.287 or so). If we allowed more than this stake to unbond, without checking who it was backing, then the LRA attack might be free of cost for an attacker. The proposed mechansim allows up to half this stake to unbond within 28 days. This halves the amount of tokens that can be slashed, but this is still very high in absolute terms. For example, at the time of writing (19.06.2024) this would translate to around 120 millions DOTs.
@@ -5567,23 +5454,23 @@ The analysis can be reproduced or changed to other parameters using
In addition to a simple queue, we could add a market component that lets users always unbond from staking at the minimum possible waiting time)(== LOWER_BOUND, e.g., 2 days), by paying a variable fee. To achieve this, it is reasonable to split the total unbonding capacity into two chunks, with the first capacity for the simple queue and the remaining capacity for the fee-based unbonding. By doing so, we allow users to choose whether they want the quickest unbond and paying a dynamic fee or join the simple queue. Setting a capacity restriction for both queues enables us to guarantee a predictable unbonding time in the simple queue, while allowing users with the respective willingness to pay to get out even earlier. The fees are dynamically adjusted and are proportional to the unbonding stake (and thereby expressed in a percentage of the requested unbonding stake). In contrast to a unified queue, this prevents the issue that users paying a fee jump in front of other users not paying a fee, pushing their unbonding time back (which would be bad for UX). The revenue generated could be burned.
This extension and further specifications are left out of this RFC, because it adds further complexity and the empirical analysis above suggests that average unbonding times will already be close the LOWER_BOUND, making a more complex design unnecessary. We advise to first implement the discussed mechanism and assess after some experience whether an extension is desirable.
-
+
Lower security for LRAs: Without a doubt, the theoretical security against LRAs decreases. But, as we argue, the attack is still costly enough to deter attacks and the attack is sufficiently theoretical. Here, the benefits outweigh the costs.
Griefing attacks: A large holder could pretend to unbond a large amount of their tokens to prevent other users to exit the network earlier. This would, however be costly due to the fact that the holder loses out on staking rewards. The larger the impact on the queue, the higher the costs. In any case it must be noted that the UPPER_BOUND is still 28 days, which means that nominators are never left with a longer unbonding period than currently. There is not enough gain for the attacker to endure this cost.
Challenge for Custodians and Liquid Staking Providers : Changing the unbonding time, especially making it flexible, requires entities that offer staking derivatives to rethink and rework their products.
-
+
NA
-
+
NA
-
+
The authors cannot see any potential impact on performance.
-
+
The authors cannot see any potential impact on ergonomics for developers. We discussed potential impact on UX/UI for users above.
-
+
The authors cannot see any potential impact on compatibility. This should be assessed by the technical fellows.
-
+
Ethereum proposed a similar solution
Alistair did some initial write-up
@@ -5620,20 +5507,20 @@ The analysis can be reproduced or changed to other parameters using
+
This RFC proposes a change to the extrinsic format to include a transaction extension version.
-
+
The extrinsic format supports to be extended with transaction extensions. These transaction extensions are runtime specific and can be different per chain. Each transaction extension can add data to the extrinsic itself or extend the signed payload.
This means that adding a transaction extension is breaking the chain specific extrinsic format. A recent example was the introduction of the CheckMetadatHash to Polkadot and all its system chains.
As the extension was adding one byte to the extrinsic, it broke a lot of tooling. By introducing an extra version for the transaction extensions it will be possible to introduce changes to these transaction extensions while still being backwards compatible.
Based on the version of the transaction extensions, each chain runtime could decode the extrinsic correctly and also create the correct signed payload.
-
+
Runtime users
Runtime devs
Wallet devs
-
+
RFC84 introduced the extrinsic format 5. The idea is to piggyback onto this change of the extrinsic format to add the extra version for the transaction extensions. If required, this could also come
as extrinsic format 6, but 5 is not yet deployed anywhere.
The extrinsic format supports the following types of transactions:
@@ -5649,25 +5536,25 @@ as extrinsic format 6, but 5 is not yet deployed anywh
The Version being a SCALE encoded u8 representing the version of the transaction extensions.
In the chain runtime the version can be used to determine which set of transaction extensions should be used to decode and to validate the transaction.
-
+
This adds one byte more to each signed transaction.
-
+
There is no impact on testing, security or privacy.
-
+
This will ensure that changes to the transactions extensions can be done in a backwards compatible way.
-
+
There is no performance impact.
-
+
Runtime developers need to take care of the versioning and ensure to bump as required, so that there are no compatibility breaking changes without a bump of the version. It will also add a little bit more code in the runtime
to decode these old versions, but this should be neglectable.
-
+
When introduced together with extrinsic format version 5 from RFC84 , it can be implemented in a backwards compatible way. So, transactions can still be send using the
old extrinsic format and decoded by the runtime.
-
+
None.
-
+
None.
-
+
None.
(source)
Table of Contents
@@ -5704,14 +5591,14 @@ old extrinsic format and decoded by the runtime.
Authors Adrian Catangiu
-
+
This RFC proposes a new instruction that provides a way to initiate on remote chains, asset transfers which
transfer multiple types (teleports, local-reserve, destination-reserve) of assets, using XCM alone.
The currently existing instructions are too opinionated and force each XCM asset transfer to a single
transfer type (teleport, local-reserve, destination-reserve). This results in inability to combine different
types of transfers in single transfer which results in overall poor UX when trying to move assets across
chains.
-
+
XCM is the de-facto cross-chain messaging protocol within the Polkadot ecosystem, and cross-chain
assets transfers is one of its main use-cases. Unfortunately, in its current spec, it does not support
initiating on a remote chain, one or more transfers that combine assets with different transfer types.
@@ -5733,14 +5620,14 @@ For example, allows single XCM program execution to transfer multiple assets fro
Kusama Asset Hub, over the bridge through Polkadot Asset Hub with final destination ParaP on Polkadot.
With current XCM, we are limited to doing multiple independent transfers for each individual hop in order to
move both "interesting" assets, but also "supporting" assets (used to pay fees).
-
+
Runtime users
Runtime devs
Wallet devs
dApps devs
-
+
A new instruction InitiateAssetsTransfer is introduced that initiates an assets transfer from the
chain it is executed on, to another chain. The executed transfer is point-to-point (chain-to-chain)
with all of the transfer properties specified in the instruction parameters. The instruction also
@@ -5928,9 +5815,9 @@ by executing a single XCM message, even though we'll be mixing multiple
).unwrap();
})
}
-
+
No drawbacks identified.
-
+
There should be no security risks related to the new instruction from the XCVM perspective. It follows the same
pattern as with single-type asset transfers, only now it allows combining multiple types at once.
Improves security by enabling
@@ -5939,16 +5826,16 @@ which minimizes the potential free/unpaid work that a receiving chain has to do.
required execution fee payment, part of the instruction logic through the remote_fees: Option<AssetTransferFilter>
parameter, which will make sure the remote XCM starts with a single-asset-holding-loading-instruction,
immediately followed by a BuyExecution using said asset.
-
+
This brings no impact to the rest of the XCM spec. It is a new, independent instruction, no changes to existing instructions.
Enhances the exposed functionality of Polkadot. Will allow multi-chain transfers that are currently forced to happen in
multiple programs per asset per "hop", to be possible in a single XCM program.
-
+
No performance changes/implications.
-
+
The proposal enhances developers' and users' cross-chain asset transfer capabilities. This enhancement is optimized for XCM
programs transferring multiple assets, needing to run their logic across multiple chains.
-
+
Does this proposal break compatibility with existing interfaces, older versions of implementations? Summarize necessary
migrations or upgrade strategies, if any.
This enhancement is compatible with all existing XCM programs and versions.
@@ -5957,11 +5844,11 @@ success.
A program where the new instruction is used to initiate multiple types of asset transfers, cannot be downgraded to older
XCM versions, because there is no equivalent capability there.
Such conversion attempts will explicitly fail.
-
+
None.
-
+
None.
-
+
None.
(source)
Table of Contents
@@ -5994,10 +5881,10 @@ Such conversion attempts will explicitly fail.
Authors Adrian Catangiu
-
+
The Transact XCM instruction currently forces the user to set a specific maximum weight allowed to the inner call and then also pay for that much weight regardless of how much the call actually needs in practice.
This RFC proposes improving the usability of Transact by removing that parameter and instead get and charge the actual weight of the inner call from its dispatch info on the remote chain.
-
+
The UX of using Transact is poor because of having to guess/estimate the require_weight_at_most weight used by the inner call on the target.
We've seen multiple Transact on-chain failures caused by guessing wrong values for this require_weight_at_most even though the rest of the XCM program would have worked.
In practice, this parameter only adds UX overhead with no real practical value. Use cases fall in one of two categories:
@@ -6010,41 +5897,156 @@ weight limit parameter.
We've had multiple OpenGov root/whitelisted_caller proposals initiated by core-devs completely or partially fail
because of incorrect configuration of require_weight_at_most parameter. This is a strong indication that the
instruction is hard to use.
-
+
Runtime Users,
Runtime Devs,
Wallets,
dApps,
-
+
The proposed enhancement is simple: remove require_weight_at_most parameter from the instruction:
- Transact { origin_kind: OriginKind, require_weight_at_most: Weight, call: DoubleEncoded<Call> },
+ Transact { origin_kind: OriginKind, call: DoubleEncoded<Call> },
The XCVM implementation shall no longer use require_weight_at_most for weighing. Instead, it shall weigh the Transact instruction by decoding and weighing the inner call.
-
+
No drawbacks, existing scenarios work as before, while this also allows new/easier flows.
-
+
Currently, an XCVM implementation can weigh a message just by looking at the decoded instructions without decoding the Transact's call, but assuming require_weight_at_most weight for it. With the new version it has to decode the inner call to know its actual weight.
But this does not actually change the security considerations, as can be seen below.
With the new Transact the weighing happens after decoding the inner call. The entirety of the XCM program containing this Transact needs to be either covered by enough bought weight using a BuyExecution, or the origin has to be allowed to do free execution.
The security considerations around how much can someone execute for free are the same for
both this new version and the old. In both cases, an "attacker" can do the XCM decoding (including Transact inner calls) for free by adding a large enough BuyExecution without actually having the funds available.
In both cases, decoding is done for free, but in both cases execution fails early on BuyExecution.
+
+
+No performance change.
+
+Ergonomics are slightly improved by simplifying Transact API.
+
+Compatible with previous XCM programs.
+
+None.
+
+None.
+
+None.
+
(source)
+Table of Contents
+
+
+
+Start Date 23 July 2024
+Description Allow multiple types of fees to be paid
+Authors Francisco Aguirre
+
+
+
+XCM already handles execution fees in an effective and efficient manner using the BuyExecution instruction.
+However, other types of fees are not handled as effectively -- for example, delivery fees.
+Fees exist that can't be measured using Weight -- as execution fees can -- so a new method should be thought up for those cases.
+This RFC proposes making the fee handling system simpler and more general, by doing two things:
+
+Adding a fees register
+Deprecating BuyExecution and adding a new instruction PayFees with new semantics to ultimately replace it.
+
+
+Execution fees are handled correctly by XCM right now.
+However, the addition of extra fees, like for message delivery, result in awkward ways of integrating them into the XCVM implementation.
+This is because these types of fees are not included in the language.
+The standard should have a way to correctly deal with these implementation specific fees, that might not exist in every system that uses XCM.
+The new instruction moves the specified amount of fees from the holding register to a dedicated fees register that the XCVM can use in flexible ways depending on its implementation.
+The XCVM implementation is free to use these fees to pay for execution fees, transport fees, or any other type of fee that might be necessary.
+This moves the specifics of fees further away from the XCM standard, and more into the actual underlying XCVM implementation, which is a good thing.
+
+
+Runtime Users
+Runtime Devs
+Wallets
+dApps
+
+
+The new instruction that will replace BuyExecution is a much simpler and general version: PayFees.
+This instruction takes one Asset, takes it from the holding register, and puts it into a new fees register.
+The XCVM implementation can now use this Asset to make sure every necessary fee is paid for, this includes execution fees, delivery fees, and any other type of fee
+necessary for the program to execute successfully.
+#![allow(unused)]
+ fn main() {
+ PayFees { asset: Asset }
+}
+This new instruction will reserve the entirety of the asset operand for fee payment.
+There is not concept of returning the leftover fees to the holding register, to allow for the implementation to charge fees at different points during execution.
+Because of this, the asset passed in can't be used for anything else during the entirety of the program.
+This is different from the current semantics of BuyExecution.
+If not all Asset in the fees register is used when the execution ends, then we trap them alongside any possible leftover assets from the holding register.
+RefundSurplus can be used to move all leftover fees from the fees register to the holding register.
+Care must be taken that this is used only after all possible instructions which might charge fees, else execution will fail.
+
+Most XCM programs that pay for execution are written like so:
+#![allow(unused)]
+ fn main() {
+ // Instruction that loads the holding register
+BuyExecution { asset, weight_limit }
+// ...rest
+}
+With this RFC, the structure would be the same, but using the new instruction, that has different semantics:
+#![allow(unused)]
+ fn main() {
+ // Instruction that loads the holding register
+PayFees { asset }
+// ...rest
+}
+
+There needs to be an explicit change from BuyExecution to PayFees, most often accompanied by a reduction in the assets passed in.
+
+It might become a security concern if leftover fees are trapped, since a lot of them are expected.
-No performance change.
+There should be no performance downsides to this approach.
+The fees register is a simplification that may actually result in better performance, in the case an implementation is doing a workaround to achieve what this RFC proposes.
-Ergonomics are slightly improved by simplifying Transact API.
+The interface is going to be very similar to the already existing one.
+Even simpler since PayFees will only receive one asset.
+That asset will allow users to limit the amount of fees they are willing to pay.
-Compatible with previous XCM programs.
+This RFC can't just change the semantics of the BuyExecution instruction since that instruction accepts any funds, uses what it needs and returns the rest immediately.
+The new proposed instruction, PayFees, doesn't return the leftover immediately, it keeps it in the fees register.
+In practice, the deprecated BuyExecution needs to be slowly rolled out in favour of PayFees.
-None.
+The closed RFC PR on the xcm-format repository, before XCM RFCs got moved to fellowship RFCs: https://github.com/polkadot-fellows/xcm-format/pull/53.
-None.
+None
-None.
+This proposal would greatly benefit from an improved asset trapping system.
+CustomAssetClaimer is also related, as it directly improves the ergonomics of this proposal.
+LeftoverAssetsDestination execution hint would also similarly improve the ergonomics.
+Removal of JIT fees is also related, they are useless with this proposal.
(source)
Table of Contents
Drawbacks
@@ -259,7 +259,7 @@ provide any benefits as there is no mechanism to punish or reward collators that
bad parachain blocks.
This proposal aims to remove the collator signature and all the logic that checks the collator
signatures of candidate receipts. We use the first 7 reclaimed bytes to represent the version,
-the core, session index, and fill the rest with zeroes. So, there is no change in the layout
+the core, session index, and fill the rest with zeroes. So, there is no change in the layout
and length of the receipt. The new primitive is binary-compatible with the old one.
CandidateCommitments
@@ -267,7 +267,8 @@ remains unchanged as we will store scale encoded UMPSignal messages
UMP queue by outputting them in upward_messages .
The UMP queue layout is changed to allow the relay chain to receive both the XCM messages and
UMPSignal messages. An empty message (empty Vec<u8>) is used to mark the end of XCM messages and
-the start of UMPSignal messages.
+the start of UMPSignal messages.The UMPSignal is optional and can be omitted by parachains
+not using elastic scaling.
This way of representing the new messages has been chosen over introducing an enum wrapper to
minimize breaking changes of XCM message decoding in tools like Subscan for example.
Example:
@@ -278,11 +279,13 @@ minimize breaking changes of XCM message decoding in tools like Subscan for exam
#![allow(unused)]
fn main() {
- /// An `u8` wrap-around sequence number. Typically this would be the least significant byte of the
-/// parachain block number.
+/// The selector that determines the core index.
pub struct CoreSelector(pub u8);
-/// An offset in the relay chain claim queue.
+/// The offset in the relay chain claim queue.
+///
+/// The state of the claim queue is given by the relay chain block
+/// that is used as context for the `PoV`.
pub struct ClaimQueueOffset(pub u8);
/// Signals sent by a parachain to the relay chain.
@@ -290,13 +293,12 @@ pub enum UMPSignal {
/// A message sent by a parachain to select the core the candidate is committed to.
/// Relay chain validators, in particular backers, use the `CoreSelector` and `ClaimQueueOffset`
/// to compute the index of the core the candidate has committed to.
- ///
SelectCore(CoreSelector, ClaimQueueOffset),
}
}
-The parachain runtime is not concerned with the actual CoreIndex the candidate is intended for,
-but must provide enough information for the validators and collators to compute it. CoreSelector
-and ClaimQueueOffset use only 2 bytes and fulfills the requirement.
+The CoreSelector together with the ClaimQueueOffset are used to index the claim queue. This way
+the validators can compute the CoreIndex and ensure that the collator put the correct CoreIndex
+into the CandidateDescriptor.
Example:
cq_offset = 1 and core_selector = 3
The table below represents a snapshot of the claim queue:
@@ -307,15 +309,13 @@ and ClaimQueueOffset use only 2 bytes and fulfills the requirement.
The purpose of ClaimQueueOffset is to select the column from the above table.
-For cq_offset = 1 we get [ Para A, Para B, Para A] and use as input to create
-a sorted vec with the cores A is assigned to: [ Core 1, Core 3] and call it para_assigned_cores.
+For cq_offset = 1 we get [Para A, Para B, Para A] and use as input to create
+a sorted vec with the cores A is assigned to: [Core 1, Core 3] and call it para_assigned_cores.
We use core_selector and determine the committed core index is Core 3 like this:
#![allow(unused)]
fn main() {
let committed_core_index = para_assigned_cores[core_selector % para_assigned_cores.len()];
}
-Parachains should prefer to have a static ClaimQueueOffset value that makes sense for their
-usecase which can be changed by governance at some future point.
@@ -361,6 +361,19 @@ and rename to reserved1 and reserved2 fields.
}
In future format versions, parts of the reserved1 and reserved2 bytes can be used to include
additional information in the descriptor.
+
+Two flavors of candidate receipts are used in network protocols, runtime and node
+implementation:
+
+CommittedCandidateReceipt which includes the CandidateDescriptor and the CandidateCommitments
+CandidateReceipt which includes the CandidateDescriptor and just a hash of the commitments
+
+We want to support both the old and new versions in the runtime and node, so the implementation must
+be able to detect the version of a given candidate receipt.
+The version of the descriptor is detected by checking the reserved fields.
+If they are not zeroed, it means it is a version 1 descriptor. Otherwise the version field
+is used further to determine the version. It should be 0 for version 2 descriptors. If it is not
+the descriptor has an unknown version and should be considered invalid.
If the candidate descriptor is version 1, there are no changes.
Backers must check the validity of core_index and session_index fields.
@@ -377,19 +390,6 @@ A candidate must not be backed if any of the following are true:
as backers did off-chain. It currently stores the claim queue at the newest allowed
relay parent corresponding to the claim queue offset 0. The runtime needs to be changed to store
a claim queue snapshot at all allowed relay parents.
-
-Two flavors of candidate receipts are used in network protocols, runtime and node
-implementation:
-
-CommittedCandidateReceipt which includes the CandidateDescriptor and the CandidateCommitments
-CandidateReceipt which includes the CandidateDescriptor and just a hash of the commitments
-
-We want to support both the old and new versions in the runtime and node, so the implementation must
-be able to detect the version of a given candidate receipt.
-The version of the descriptor is detected by checking the reserved fields.
-If they are not zeroed, it means it is a version 1 descriptor. Otherwise the version field
-is used further to determine the version. It should be 0 for version 2 descriptors. If it is not
-the descriptor has an unknown version and should be considered invalid.
The only drawback is that further additions to the descriptor are limited to the amount of
remaining unused space.
@@ -402,19 +402,21 @@ to ensure the implementation does not introduce any new security issues.
Overall performance will be improved by not checking the collator signatures in runtime and nodes.
The impact on the UMP queue and candidate receipt processing is negligible.
The ClaimQueueOffset along with the relay parent choice allows parachains to optimize their
-block production for either throughput or latency. A value of 0 with the newest relay parent
-provides the best latency while picking older relay parents avoids re-orgs.
+block production for either throughput or lower XCM message processing latency. A value of 0
+with the newest relay parent provides the best latency while picking older relay parents avoids
+re-orgs.
-It is mandatory for elastic parachains to switch to the new receipt format. It is optional but
-desired that all parachains switch to the new receipts for providing the session index for
-disputes.
+It is mandatory for elastic parachains to switch to the new receipt format and commit to a
+core by sending the UMPSignal::SelectCore message. It is optional but desired that all
+parachains switch to the new receipts for providing the session index for disputes.
The implementation of this RFC itself must not introduce any breaking changes for the parachain
runtime or collator nodes.
-The proposed changes are backward compatible in general, but additional care must be taken by
-waiting for at least 2/3 + 1 validators to upgrade. Validators that have not upgraded will not
-back candidates using the new descriptor format and will also initiate disputes against these
-candidates.
+The proposed changes are not fully backward compatible, because older validators verify the
+collator signature of candidate descriptors.
+Additional care must be taken before enabling the new descriptors by waiting for at least
+2/3 + 1 validators to upgrade. Validators that have not upgraded will not back candidates
+using the new descriptor format and will also initiate disputes against these candidates.
The first step is to remove collator signature checking logic in the runtime but keep the node
side collator signature checks.
@@ -455,7 +457,7 @@ by using the version field of the descriptor introduced in this RFC
-
+
@@ -469,7 +471,7 @@ by using the version field of the descriptor introduced in this RFC
-
+
diff --git a/proposed/0111-pure-proxy-replication.html b/proposed/0111-pure-proxy-replication.html
index 9e7f4f8..6bd6a9b 100644
--- a/proposed/0111-pure-proxy-replication.html
+++ b/proposed/0111-pure-proxy-replication.html
@@ -90,7 +90,7 @@
@@ -306,7 +306,7 @@ mod pallet_proxy_replica {