Skip to content

Conversation

@sistemd
Copy link
Contributor

@sistemd sistemd commented Jul 9, 2025

We agreed to split #8446 into two PRs: one for BABE (this one) and one for AURA. This is the easier one.

@sistemd sistemd requested review from bkchr, iulianbarbu and skunert July 9, 2025 13:35
@sistemd sistemd added the T8-polkadot This PR/Issue is related to/affects the Polkadot network. label Jul 9, 2025
@sistemd

This comment was marked as resolved.

Copy link
Contributor

@skunert skunert left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Only nits, looking good!

@iulianbarbu
Copy link
Contributor

Other than this LGTM! Will approve after resolving comments above.

@sistemd sistemd force-pushed the sistemd/babe-import-queue-split branch from 739311e to 7966bf3 Compare July 10, 2025 15:50
@sistemd sistemd requested review from iulianbarbu and skunert July 10, 2025 15:52
@skunert skunert added the T0-node This PR/Issue is related to the topic “node”. label Jul 10, 2025
Copy link
Contributor

@skunert skunert left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

LGTM, nice work!

Copy link
Contributor

@iulianbarbu iulianbarbu left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Very nice, thanks 🙏

Copy link
Member

@bkchr bkchr left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Generally looks good, but some nitpicks that should be solved.

return Ok(CheckedHeader::Deferred(header, pre_digest.slot()))
}

let author = match authorities.get(pre_digest.authority_index() as usize) {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

With removing this there would be some possible panic, because check_primary_header and friends are just accessing the authorities via the index without any bound checks. I would propose we keep this code here and just directly forward the author to these functions below.

Copy link
Contributor Author

@sistemd sistemd Jul 11, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

da01d0d - I did it this way since these fns require the entire epoch anyway, so no need to pass the same data in another parameter again. Let me know if you disagree.

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Just realized that these functions already return an error. So, we could just use get() in there. I find it better if we ensure that these functions can not panic, otherwise we may oversee this in the future.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@sistemd sistemd force-pushed the sistemd/babe-import-queue-split branch from a5b4e69 to 839ac5d Compare July 11, 2025 21:04
@sistemd sistemd requested a review from bkchr July 11, 2025 21:06
Comment on lines 1976 to 1978
NumberFor::<Block>::try_from(block_number - 1)
.map_err(|_| "parent block exists, hence must be able to decrement it")
.unwrap(),
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
NumberFor::<Block>::try_from(block_number - 1)
.map_err(|_| "parent block exists, hence must be able to decrement it")
.unwrap(),
block_number - 1u32.into(),

No idea why you wanted to convert the number first to U256?

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Maybe because you didn't see that BlockNumber implements From<u32>?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Block: BlockT,
Client: HeaderBackend<Block> + HeaderMetadata<Block, Error = sp_blockchain::Error>,
{
let block_number: U256 = block_number.into();
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
let block_number: U256 = block_number.into();

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Comment on lines 1413 to 1421
let (_epoch_descriptor, viable_epoch) = query_epoch_changes(
&self.epoch_changes,
self.client.as_ref(),
&self.config,
number,
slot,
parent_hash,
)
.map_err(|e| ConsensusError::Other(babe_err(e).into()))?;
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
let (_epoch_descriptor, viable_epoch) = query_epoch_changes(
&self.epoch_changes,
self.client.as_ref(),
&self.config,
number,
slot,
parent_hash,
)
.map_err(|e| ConsensusError::Other(babe_err(e).into()))?;
let viable_epoch = query_epoch_changes(
&self.epoch_changes,
self.client.as_ref(),
&self.config,
number,
slot,
parent_hash,
)
.map_err(|e| ConsensusError::Other(babe_err(e).into()))?.1;

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Comment on lines 1422 to 1423
let epoch = viable_epoch.as_ref();
match epoch.authorities.get(babe_pre_digest.authority_index() as usize) {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
let epoch = viable_epoch.as_ref();
match epoch.authorities.get(babe_pre_digest.authority_index() as usize) {
match viable_epoch.as_ref().authorities.get(babe_pre_digest.authority_index() as usize) {

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

// Check inherents.
if let Some(inner_body) = block.body {
let new_block = Block::new(block.header.clone(), inner_body);
if !block.state_action.skip_execution_checks() {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This should wrap the all the things that are required to check the inherents.

Also as we don't use the inherente data providers etc for anything else in here, we can just move the code directly to check_inherents.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

You mean like this or something else? 5b2c5fd

return Ok(CheckedHeader::Deferred(header, pre_digest.slot()))
}

let author = match authorities.get(pre_digest.authority_index() as usize) {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Just realized that these functions already return an error. So, we could just use get() in there. I find it better if we ensure that these functions can not panic, otherwise we may oversee this in the future.

@sistemd sistemd force-pushed the sistemd/babe-import-queue-split branch from a7fd277 to 51e033f Compare July 15, 2025 10:50
@paritytech-workflow-stopper
Copy link

All GitHub workflows were cancelled due to failure one of the required jobs.
Failed workflow url: https://github.com/paritytech/polkadot-sdk/actions/runs/16291235740
Failed job name: cargo-clippy

@sistemd sistemd force-pushed the sistemd/babe-import-queue-split branch from 51e033f to 5b7f423 Compare July 15, 2025 11:25
@sistemd sistemd requested a review from bkchr July 18, 2025 10:59
Copy link
Member

@bkchr bkchr left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

One last nitpick, otherwise great work!

Ty!

Comment on lines 1234 to 1236
if let Some(inner_body) = block.body.take() {
let new_block = Block::new(block.header.clone(), inner_body);
if !block.state_action.skip_execution_checks() {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
if let Some(inner_body) = block.body.take() {
let new_block = Block::new(block.header.clone(), inner_body);
if !block.state_action.skip_execution_checks() {
if block.state_action.skip_execution_checks() {
return Ok(())
}
if let Some(inner_body) = block.body.take() {
let new_block = Block::new(block.header.clone(), inner_body);

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Comment on lines 1289 to 1295
let equivocation_proof =
match check_equivocation(&*self.client, slot_now, slot, header, author)
.map_err(Error::Client)?
{
Some(proof) => proof,
None => return Ok(()),
};
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
let equivocation_proof =
match check_equivocation(&*self.client, slot_now, slot, header, author)
.map_err(Error::Client)?
{
Some(proof) => proof,
None => return Ok(()),
};
let Some(equivocation_proof) =
check_equivocation(&*self.client, slot_now, slot, header, author)
.map_err(Error::Client)?
else {
return Ok(())
};

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@sistemd sistemd force-pushed the sistemd/babe-import-queue-split branch from b1884d9 to 8e4d190 Compare July 18, 2025 15:45
@sistemd sistemd added this pull request to the merge queue Jul 20, 2025
Merged via the queue into master with commit b17f06b Jul 20, 2025
248 of 251 checks passed
@sistemd sistemd deleted the sistemd/babe-import-queue-split branch July 20, 2025 17:24
ordian added a commit that referenced this pull request Jul 24, 2025
* master: (67 commits)
  Fix subsume_assets incorrectly merging two AssetsInHolding (#9179)
  Replace `log` with `tracing` on `pallet-bridge-grandpa` (#9294)
  [Staking Async] Saturating accrue era reward points (#9186)
  fix: skip verifying imported blocks (#9280)
  Ci-unified update (with solc and resolc) (#9289)
  Dedup dependencies between dependencies and dev-dependencies (#9233)
  network: Upgrade litep2p to v0.10.0 (#9287)
  consensus/grandpa: Fix high number of peer disconnects with invalid justification (#9015)
  Zombienet CI improvements (#9172)
  Rewrite old disputes test with zombienet-sdk (#9257)
  [revive] eth-decimals (#9101)
  Allow setting idle connection timeout value in custom node implementations (#9251)
  gossip-support: make low connectivity message an error (#9264)
  Rewrite validator disabling test with zombienet-sdk (#9128)
  Fix CandidateDescriptor debug logs (#9255)
  babe: keep stateless verification in `Verifier`, move everything else to the import queue (#9147)
  Allow locking to bump consumer without limits (#9176)
  feat(cumulus): Adds support for additional relay state keys in parachain validation data inherent (#9262)
  zombienet, make logs for para works (#9230)
  Remove `subwasmlib` (#9252)
  ...
EgorPopelyaev added a commit to EgorPopelyaev/polkadot-sdk that referenced this pull request Jul 25, 2025
* Don't use labels for branch names creation in the backport bot (paritytech#9243)

* Remove unused deps (paritytech#9235)

# Description

Remove unused deps using `cargo udeps`

Part of: paritytech#6906

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>
Co-authored-by: Branislav Kontur <[email protected]>

* Fixed genesis config presets for bridge tests (paritytech#9185)

Closes: paritytech#9116

---------

Co-authored-by: Branislav Kontur <[email protected]>
Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>
Co-authored-by: Karol Kokoszka <[email protected]>

* Remove `subwasmlib` (paritytech#9252)

This removes `subwasmlib` and replaces it with some custom code to fetch
the metadata. Main point of this change is the removal of some external
dependency.

Closes: paritytech#9203

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* zombienet, make logs for para works (paritytech#9230)

Fix for correctly display the logs (urls) for paras.

* feat(cumulus): Adds support for additional relay state keys in parachain validation data inherent (paritytech#9262)

Adds the possibility for parachain clients to collect additional relay
state keys into the validation data inherent.

With this change, other consensus engines can collect additional relay
keys into the parachain inherent data:
```rs
let paras_inherent_data = ParachainInherentDataProvider::create_at(
  relay_parent,
  relay_client,
  validation_data,
  para_id,
  vec![
     relay_well_known_keys::EPOCH_INDEX.to_vec() // <----- Example
  ],
)
.await;
```

* Allow locking to bump consumer without limits (paritytech#9176)

Locking is a system-level operation, and can only increment the consumer
limit at most once. Therefore, it should use
`inc_consumer_without_limits`. This behavior is optional, and is only
used in the call path of `LockableCurrency`. Reserves, Holds and Freezes
(and other operations like transfer etc.) have the ability to return
`DispatchResult` and don't need this bypass. This is demonstrated in the
unit tests added.

Beyond this, this PR: 

* uses the correct way to get the account data in tests
* adds an `Unexpected` event instead of a silent `debug_assert!`. 
* Adds `try_state` checks for correctness of `account.frozen` invariant.

---------

Co-authored-by: Ankan <[email protected]>
Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* babe: keep stateless verification in `Verifier`, move everything else to the import queue (paritytech#9147)

We agreed to split paritytech#8446
into two PRs: one for BABE (this one) and one for AURA. This is the
easier one.

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* Fix CandidateDescriptor debug logs (paritytech#9255)

Regardless of the descriptor version, the CandidateDescriptor was logged
as a CandidateDescriptorV2 instance.

To address this issue we now derive RuntimeDebug only when std is not
enabled so we can have that empty implementation that does not bloat the
runtime WASM. When std is enabled we implement core::fmt::Debug by hand
and print the
structure differently depending on the CandidateDescriptor version.

Fixes: paritytech#8457

---------

Signed-off-by: Alexandru Cihodaru <[email protected]>
Co-authored-by: Bastian Köcher <[email protected]>

* Rewrite validator disabling test with zombienet-sdk (paritytech#9128)

Fixes paritytech#9085

---------

Signed-off-by: Alexandru Cihodaru <[email protected]>

* gossip-support: make low connectivity message an error (paritytech#9264)

All is not well when a validator is not properly connected, e.g: of
things that might happen:
- Finality might be slightly delay because validator will be no-show
because they can't retrieve PoVs to validate approval work:
paritytech#8915.
- When they author blocks they won't back things because gossiping of
backing statements happen using the grid topology:, e.g blocks authored
by validators with a low number of peers:

https://polkadot.js.org/apps/?rpc=wss%3A%2F%2Frpc-polkadot.helixstreet.io#/explorer/query/26931262

https://polkadot.js.org/apps/?rpc=wss%3A%2F%2Frpc-polkadot.helixstreet.io#/explorer/query/26931260

https://polkadot.js.org/apps/?rpc=wss%3A%2F%2Fpolkadot.api.onfinality.io%2Fpublic-ws#/explorer/query/26931334

https://polkadot.js.org/apps/?rpc=wss%3A%2F%2Fpolkadot-public-rpc.blockops.network%2Fws#/explorer/query/26931314

https://polkadot.js.org/apps/?rpc=wss%3A%2F%2Fpolkadot-public-rpc.blockops.network%2Fws#/explorer/query/26931292

https://polkadot.js.org/apps/?rpc=wss%3A%2F%2Fpolkadot-public-rpc.blockops.network%2Fws#/explorer/query/26931447


The problem is seen in `polkadot_parachain_peer_count` metrics, but it
seems people are not monitoring that well enough, so let's make it more
visible nodes with low connectivity are not working in good conditions.

I also reduced the threshold to 85%, so that we don't trigger this error
to eagerly.

---------

Signed-off-by: Alexandru Gheorghe <[email protected]>
Co-authored-by: Bastian Köcher <[email protected]>
Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* Allow setting idle connection timeout value in custom node implementations (paritytech#9251)

Allow setting idle connection timeout value. This can be helpful in
custom networks to allow maintaining long-lived connections.

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* [revive] eth-decimals (paritytech#9101)

On Ethereum, 1 ETH is represented as 10^18 wei (wei being the smallest
unit).
On Polkadot 1 DOT is defined as 1010 plancks. It means that any value
smaller than 10^8 wei can not be expressed with the native balance. Any
contract that attempts to use such a value currently reverts with a
DecimalPrecisionLoss error.

In theory, RPC can define a decimal representation different from
Ethereum mainnet (10^18). In practice tools (frontend libraries,
wallets, and compilers) ignore it and expect 18 decimals.

The current behaviour breaks eth compatibility and needs to be updated.
See issue paritytech#109 for more details.


Fix  paritytech/contract-issues#109
[weights
compare](https://weights.tasty.limo/compare?unit=weight&ignore_errors=true&threshold=10&method=asymptotic&repo=polkadot-sdk&old=master&new=pg/eth-decimals&path_pattern=substrate/frame/**/src/weights.rs,polkadot/runtime/*/src/weights/**/*.rs,polkadot/bridges/modules/*/src/weights.rs,cumulus/**/weights/*.rs,cumulus/**/weights/xcm/*.rs,cumulus/**/src/weights.rs)

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>
Co-authored-by: Alexander Theißen <[email protected]>
Co-authored-by: Oliver Tale-Yazdi <[email protected]>

* Rewrite old disputes test with zombienet-sdk (paritytech#9257)

Fixes: paritytech#9256

---------

Signed-off-by: Alexandru Cihodaru <[email protected]>

* Zombienet CI improvements (paritytech#9172)

## 🔄 Zombienet CI Refactor: Matrix-Based Workflows

This PR refactors the Zombienet CI workflows to use a **matrix-based
approach**, resulting in:

- ✅ **Easier test maintenance** – easily add or remove tests without
duplicating workflow logic.
- 🩹 **Improved flaky test handling** – flaky tests are excluded by
default but can be explicitly included by pattern.
- 🔍 **Pattern-based test selection** – run only tests matching a name
pattern, ideal for debugging.

---

## 🗂️ Structure Changes

- **Test definitions** are now stored in `.github/zombienet-tests/`.
- Each workflow (`Cumulus`, `Substrate`, `Polkadot`, `Parachain
Template`) has its own YAML file with test configurations.

---

## 🧰 Added Scripts

### `.github/scripts/parse-zombienet-tests.py`
- Parses test definitions and generates a GitHub Actions matrix.
- Filters out flaky tests by default.
- If a `test_pattern` is provided, matching tests are **included even if
flaky**.

### `.github/scripts/dispatch-zombienet-workflow.sh`
- Triggers a Zombienet workflow multiple times, optionally filtered by
test name pattern.
- Stores results in a **CSV file** for analysis.
- Useful for debugging flaky tests or stress-testing specific workflows.
- Intended to be run from the local machine.

---------

Co-authored-by: Javier Viola <[email protected]>
Co-authored-by: Alexander Samusev <[email protected]>
Co-authored-by: Javier Viola <[email protected]>

* consensus/grandpa: Fix high number of peer disconnects with invalid justification (paritytech#9015)

A grandpa race-casse has been identified in the versi-net stack around
authority set changes, which leads to the following:

- T0 / Node A: Completes round (15)
- T1 / Node A: Applies new authority set change and increments the SetID
(from 0 to 1)
- T2 / Node B: Sends Precommit for round (15) with SetID (0) -- previous
set ID
- T3 / Node B: Applies new authority set change and increments the SetID
(1)

In this scenario, Node B is not aware at the moment of sending
justifications that the Set ID has changed.
The downstream effect is that Node A will not be able to verify the
signature of justifications, since a different SetID is taken into
account. This will cascade through the sync engine, where the Node B is
wrongfully banned and disconnected.

This PR aims to fix the edge-case by making the grandpa resilient to
verifying prior setIDs for signatures.
When the signature of the grandpa justification fails to decode, the
prior SetID is also verified. If the prior SetID produces a valid
signature, then the outdated justification error is propagated through
the code (ie `SignatureResult::OutdatedSet`).

The sync engine will handle the outdated justifications as invalid, but
without banning the peer. This leads to increased stability of the
network during authority changes, which caused frequent disconnects to
versi-net in the past.

### Review Notes
- Main changes that verify prior SetId on failures are placed in
[check_message_signature_with_buffer](https://github.com/paritytech/polkadot-sdk/pull/9015/files#diff-359d7a46ea285177e5d86979f62f0f04baabf65d595c61bfe44b6fc01af70d89R458-R501)
- Sync engine no longer disconnects outdated justifications in
[process_service_command](https://github.com/paritytech/polkadot-sdk/pull/9015/files#diff-9ab3391aa82ee2b2868ece610100f84502edcf40638dba9ed6953b6e572dfba5R678-R703)

### Testing Done
- Deployed the PR to versi-net with 40 validators
- Prior we have noticed 10/40 validators disconnecting every 15-20
minutes, leading to instability
- Over past 24h the issue has been mitigated:
https://grafana.teleport.parity.io/goto/FPNWlmsHR?orgId=1
- Note: bootnodes 0 and 1 are currently running outdated versions that
do not incorporate this SetID verification improvement

Closes: paritytech#8872
Closes: paritytech#1147

---------

Signed-off-by: Alexandru Vasile <[email protected]>
Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>
Co-authored-by: Dmitry Markin <[email protected]>

* network: Upgrade litep2p to v0.10.0 (paritytech#9287)

## litep2p v0.10.0

This release adds the ability to use system DNS resolver and change
Kademlia DNS memory store capacity. It also fixes the Bitswap protocol
implementation and correctly handles the dropped notification substreams
by unregistering them from the protocol list.

### Added

- kad: Expose memory store configuration
([paritytech#407](paritytech/litep2p#407))
- transport: Allow changing DNS resolver config
([paritytech#384](paritytech/litep2p#384))

### Fixed

- notification: Unregister dropped protocols
([paritytech#391](paritytech/litep2p#391))
- bitswap: Fix protocol implementation
([paritytech#402](paritytech/litep2p#402))
- transport-manager: stricter supported multiaddress check
([paritytech#403](paritytech/litep2p#403))

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* Dedup dependencies between dependencies and dev-dependencies (paritytech#9233)

# Description

Deduplicate some dependencies between `dependencies` and
`dev-dependencies` sections

---------

Co-authored-by: Bastian Köcher <[email protected]>

* Ci-unified update (with solc and resolc) (paritytech#9289)

add `solc` and `resolc` binaries to image

```
$ solc --version
solc, the solidity compiler commandline interface
Version: 0.8.30+commit.73712a01.Linux.g++
$ resolc --version
Solidity frontend for the revive compiler version 0.3.0+commit.ed60869.llvm-18.1.8
```

You can update or install specific version with `/builds/download-bin.sh
<solc | resolc> [version | latest]`
e.g.
```
/builds/download-bin.sh solc v0.8.30
```

* fix: skip verifying imported blocks (paritytech#9280)

Closes paritytech#9277. Still WIP
testing

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* [Staking Async] Saturating accrue era reward points (paritytech#9186)

Replaces regular addition with saturating addition when accumulating era
reward points in `pallet-staking-async` to prevent potential overflow.

---------

Co-authored-by: Bastian Köcher <[email protected]>

* Replace `log` with `tracing` on `pallet-bridge-grandpa` (paritytech#9294)

This PR replaces `log` with `tracing` instrumentation on
`pallet-bridge-grandpa` by providing structured logging.

Partially addresses paritytech#9211

* Fix subsume_assets incorrectly merging two AssetsInHolding (paritytech#9179)

`subsume_assets` fails to correctly subsume two instances of
`AssetsInHolding` under certain conditions which can result in loss of
funds (as assets are overriden rather than summed together)

Eg. consider following test:
```
	#[test]
	fn subsume_assets_different_length_holdings() {
		let mut t1 = AssetsInHolding::new();
		t1.subsume(CFP(400));

		let mut t2 = AssetsInHolding::new();
		t2.subsume(CF(100));
		t2.subsume(CFP(100));

		t1.subsume_assets(t2);
```

current result (without this PR change):
```
		let mut iter = t1.into_assets_iter();
		assert_eq!(Some(CF(100)), iter.next());
		assert_eq!(Some(CFP(100)), iter.next());
```

expected result:
```
		let mut iter = t1.into_assets_iter();
		assert_eq!(Some(CF(100)), iter.next());
		assert_eq!(Some(CFP(500)), iter.next());
```

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>
Co-authored-by: Branislav Kontur <[email protected]>

* yap-runtime: fixes for `GetParachainInfo` (paritytech#9312)

This fixes the YAP parachain runtimes in case you encounter a panic in
the collator similar to
paritytech/zombienet#2050:
```
Failed to retrieve the parachain id
```
(which we do have zombienet-sdk tests for
[here](https://github.com/paritytech/polkadot-sdk/blob/master/substrate/client/transaction-pool/tests/zombienet/yap_test.rs))

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* RecentDisputes/ActiveDisputes use BTreeMap instead of Vec (paritytech#9309)

Fixes paritytech#782

---------

Signed-off-by: Alexandru Cihodaru <[email protected]>

* network/litep2p: Switch to system DNS resolver (paritytech#9321)

Switch to system DNS resolver instead of 8.8.8.8 that litep2p uses by
default. This enables full administrator control of what upstream DNS
servers to use, including resolution of local names using custom DNS
servers.

Fixes paritytech#9298.

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* litep2p/discovery: Ensure non-global addresses are not reported as external (paritytech#9281)

This PR ensures that external addresses discovered by the identify
protocol are not propagated to the litep2p backend if they are not
global. This leads to a healthier DHT over time, since nodes will not
advertise loopback / non-global addresses.

We have seen various cases were loopback addresses were reported as
external:

```
2025-07-16 16:18:39.765 TRACE tokio-runtime-worker sub-libp2p::discovery: verify new external address: /ip4/127.0.0.1/tcp/30310/p2p/12D3KooWNw19ScMjzNGLnYYLQxWcM9EK9VYPbCq241araUGgbdLM    

2025-07-16 16:18:39.765  INFO tokio-runtime-worker sub-libp2p: 🔍 Discovered new external address for our node: /ip4/127.0.0.1/tcp/30310/p2p/12D3KooWNw19ScMjzNGLnYYLQxWcM9EK9VYPbCq241araUGgbdLM
```

This PR takes into account the network config for
`allow_non_global_addresses`.

Closes: paritytech#9261

cc @paritytech/networking

---------

Signed-off-by: Alexandru Vasile <[email protected]>
Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>

* [Backport] Regular version bumps and prdoc reordering from the stable2506 release branch back to master (paritytech#9320)

This PR backports:
- NODE_VERSION bumps
- spec_version bumps
- prdoc reordering
from the release branch back to master

---------

Co-authored-by: ParityReleases <[email protected]>

* add node version to the announcement message

* test in the internal room

---------

Signed-off-by: Alexandru Cihodaru <[email protected]>
Signed-off-by: Alexandru Gheorghe <[email protected]>
Signed-off-by: Alexandru Vasile <[email protected]>
Co-authored-by: Diego <[email protected]>
Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>
Co-authored-by: Branislav Kontur <[email protected]>
Co-authored-by: Anthony Kveder <[email protected]>
Co-authored-by: Karol Kokoszka <[email protected]>
Co-authored-by: Bastian Köcher <[email protected]>
Co-authored-by: Javier Viola <[email protected]>
Co-authored-by: Rodrigo Quelhas <[email protected]>
Co-authored-by: Kian Paimani <[email protected]>
Co-authored-by: Ankan <[email protected]>
Co-authored-by: sistemd <[email protected]>
Co-authored-by: Alexandru Cihodaru <[email protected]>
Co-authored-by: Alexandru Gheorghe <[email protected]>
Co-authored-by: Dmitry Markin <[email protected]>
Co-authored-by: PG Herveou <[email protected]>
Co-authored-by: Alexander Theißen <[email protected]>
Co-authored-by: Oliver Tale-Yazdi <[email protected]>
Co-authored-by: Lukasz Rubaszewski <[email protected]>
Co-authored-by: Alexander Samusev <[email protected]>
Co-authored-by: Javier Viola <[email protected]>
Co-authored-by: Alexandru Vasile <[email protected]>
Co-authored-by: Evgeny Snitko <[email protected]>
Co-authored-by: Raymond Cheung <[email protected]>
Co-authored-by: ordian <[email protected]>
Co-authored-by: ParityReleases <[email protected]>
alvicsam pushed a commit that referenced this pull request Oct 17, 2025
… to the import queue (#9147)

We agreed to split #8446
into two PRs: one for BABE (this one) and one for AURA. This is the
easier one.

---------

Co-authored-by: cmd[bot] <41898282+github-actions[bot]@users.noreply.github.com>
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

T0-node This PR/Issue is related to the topic “node”. T8-polkadot This PR/Issue is related to/affects the Polkadot network.

Projects

None yet

Development

Successfully merging this pull request may close these issues.

5 participants