This repository has been archived by the owner on Nov 15, 2023. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 1.6k
enable disputes #3478
Merged
Merged
enable disputes #3478
Changes from all commits
Commits
Show all changes
18 commits
Select commit
Hold shift + click to select a range
478a97b
initial integration and migration code
ordian 777fe82
fix tests
ordian 8359bb6
fix counting test
ordian 897937b
assume the current version on missing file
ordian e95bc30
use SelectRelayChain
ordian 3f8c664
remove duplicate metric
ordian b7bc78d
Update node/service/src/lib.rs
ordian c3d51b8
remove ApprovalCheckingVotingRule
ordian 74f0319
Merge branch 'master' into ao-enable-disputes
ordian 4aebe3e
address my concern
ordian 4c7e011
never mode for StagnantCheckInterval
rphmeier e210505
REVERTME: some logs
ordian d626516
w00t
ordian e42346b
Merge branch 'master' into ao-enable-disputes
ordian a278e9d
it's ugly but it works
ordian 116b885
Revert "REVERTME: some logs"
ordian 4a89c36
it's handle, not handler
ordian b1a0027
fix a few typos
ordian File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.
Oops, something went wrong.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -73,6 +73,7 @@ use futures::{ | |
Future, FutureExt, StreamExt, | ||
}; | ||
use lru::LruCache; | ||
use parking_lot::RwLock; | ||
|
||
use polkadot_primitives::v1::{Block, BlockId,BlockNumber, Hash, ParachainHost}; | ||
use client::{BlockImportNotification, BlockchainEvents, FinalityNotification}; | ||
|
@@ -159,13 +160,24 @@ impl<Client> HeadSupportsParachains for Arc<Client> where | |
} | ||
|
||
|
||
/// A handler used to communicate with the [`Overseer`]. | ||
/// A handle used to communicate with the [`Overseer`]. | ||
/// | ||
/// [`Overseer`]: struct.Overseer.html | ||
#[derive(Clone)] | ||
pub struct Handle(pub OverseerHandle); | ||
pub enum Handle { | ||
/// Used only at initialization to break the cyclic dependency. | ||
// TODO: refactor in https://github.com/paritytech/polkadot/issues/3427 | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 👍 |
||
Disconnected(Arc<RwLock<Option<OverseerHandle>>>), | ||
/// A handle to the overseer. | ||
Connected(OverseerHandle), | ||
} | ||
|
||
impl Handle { | ||
/// Create a new disconnected [`Handle`]. | ||
pub fn new_disconnected() -> Self { | ||
Self::Disconnected(Arc::new(RwLock::new(None))) | ||
} | ||
|
||
/// Inform the `Overseer` that that some block was imported. | ||
pub async fn block_imported(&mut self, block: BlockInfo) { | ||
self.send_and_log_error(Event::BlockImported(block)).await | ||
|
@@ -207,25 +219,59 @@ impl Handle { | |
|
||
/// Most basic operation, to stop a server. | ||
async fn send_and_log_error(&mut self, event: Event) { | ||
if self.0.send(event).await.is_err() { | ||
tracing::info!(target: LOG_TARGET, "Failed to send an event to Overseer"); | ||
self.try_connect(); | ||
if let Self::Connected(ref mut handle) = self { | ||
if handle.send(event).await.is_err() { | ||
tracing::info!(target: LOG_TARGET, "Failed to send an event to Overseer"); | ||
} | ||
} else { | ||
tracing::warn!(target: LOG_TARGET, "Using a disconnected Handle to send to Overseer"); | ||
} | ||
} | ||
|
||
/// Whether the overseer handler is connected to an overseer. | ||
pub fn is_connected(&self) -> bool { | ||
true | ||
/// Whether the handle is disconnected. | ||
pub fn is_disconnected(&self) -> bool { | ||
match self { | ||
Self::Disconnected(ref x) => x.read().is_none(), | ||
_ => false, | ||
} | ||
} | ||
|
||
/// Whether the handler is disconnected. | ||
pub fn is_disconnected(&self) -> bool { | ||
false | ||
/// Connect this handle and all disconnected clones of it to the overseer. | ||
pub fn connect_to_overseer(&mut self, handle: OverseerHandle) { | ||
match self { | ||
Self::Disconnected(ref mut x) => { | ||
let mut maybe_handle = x.write(); | ||
if maybe_handle.is_none() { | ||
tracing::info!(target: LOG_TARGET, "🖇️ Connecting all Handles to Overseer"); | ||
*maybe_handle = Some(handle); | ||
} else { | ||
tracing::warn!( | ||
target: LOG_TARGET, | ||
"Attempting to connect a clone of a connected Handle", | ||
); | ||
} | ||
}, | ||
_ => { | ||
tracing::warn!( | ||
target: LOG_TARGET, | ||
"Attempting to connect an already connected Handle", | ||
); | ||
}, | ||
} | ||
} | ||
|
||
/// Using this handler, connect another handler to the same | ||
/// overseer, if any. | ||
pub fn connect_other(&self, other: &mut Handle) { | ||
*other = self.clone(); | ||
/// Try upgrading from `Self::Disconnected` to `Self::Connected` state | ||
/// after calling `connect_to_overseer` on `self` or a clone of `self`. | ||
fn try_connect(&mut self) { | ||
if let Self::Disconnected(ref mut x) = self { | ||
let guard = x.write(); | ||
if let Some(ref h) = *guard { | ||
let handle = h.clone(); | ||
drop(guard); | ||
*self = Self::Connected(handle); | ||
} | ||
} | ||
} | ||
} | ||
|
||
|
@@ -301,7 +347,7 @@ pub enum ExternalRequest { | |
/// import and finality notifications into the [`OverseerHandle`]. | ||
pub async fn forward_events<P: BlockchainEvents<Block>>( | ||
client: Arc<P>, | ||
mut handler: Handle, | ||
mut handle: Handle, | ||
) { | ||
let mut finality = client.finality_notification_stream(); | ||
let mut imports = client.import_notification_stream(); | ||
|
@@ -311,15 +357,15 @@ pub async fn forward_events<P: BlockchainEvents<Block>>( | |
f = finality.next() => { | ||
match f { | ||
Some(block) => { | ||
handler.block_finalized(block.into()).await; | ||
handle.block_finalized(block.into()).await; | ||
} | ||
None => break, | ||
} | ||
}, | ||
i = imports.next() => { | ||
match i { | ||
Some(block) => { | ||
handler.block_imported(block.into()).await; | ||
handle.block_imported(block.into()).await; | ||
} | ||
None => break, | ||
} | ||
|
@@ -338,7 +384,6 @@ pub async fn forward_events<P: BlockchainEvents<Block>>( | |
network=NetworkBridgeEvent<protocol_v1::ValidationProtocol>, | ||
)] | ||
pub struct Overseer<SupportsParachains> { | ||
|
||
#[subsystem(no_dispatch, CandidateValidationMessage)] | ||
candidate_validation: CandidateValidation, | ||
|
||
|
@@ -390,16 +435,16 @@ pub struct Overseer<SupportsParachains> { | |
#[subsystem(no_dispatch, GossipSupportMessage)] | ||
gossip_support: GossipSupport, | ||
|
||
#[subsystem(no_dispatch, wip, DisputeCoordinatorMessage)] | ||
dipute_coordinator: DisputeCoordinator, | ||
#[subsystem(no_dispatch, DisputeCoordinatorMessage)] | ||
dispute_coordinator: DisputeCoordinator, | ||
|
||
#[subsystem(no_dispatch, wip, DisputeParticipationMessage)] | ||
#[subsystem(no_dispatch, DisputeParticipationMessage)] | ||
dispute_participation: DisputeParticipation, | ||
|
||
#[subsystem(no_dispatch, wip, DisputeDistributionMessage)] | ||
dipute_distribution: DisputeDistribution, | ||
#[subsystem(no_dispatch, DisputeDistributionMessage)] | ||
dispute_distribution: DisputeDistribution, | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Woah, I like this "wip" thing. |
||
|
||
#[subsystem(no_dispatch, wip, ChainSelectionMessage)] | ||
#[subsystem(no_dispatch, ChainSelectionMessage)] | ||
chain_selection: ChainSelection, | ||
|
||
/// External listeners waiting for a hash to be in the active-leave set. | ||
|
@@ -436,7 +481,7 @@ where | |
/// This returns the overseer along with an [`OverseerHandle`] which can | ||
/// be used to send messages from external parts of the codebase. | ||
/// | ||
/// The [`OverseerHandler`] returned from this function is connected to | ||
/// The [`OverseerHandle`] returned from this function is connected to | ||
/// the returned [`Overseer`]. | ||
/// | ||
/// ```text | ||
|
@@ -527,7 +572,7 @@ where | |
/// let spawner = sp_core::testing::TaskExecutor::new(); | ||
/// let all_subsystems = AllSubsystems::<()>::dummy() | ||
/// .replace_candidate_validation(ValidationSubsystem); | ||
/// let (overseer, _handler) = Overseer::new( | ||
/// let (overseer, _handle) = Overseer::new( | ||
/// vec![], | ||
/// all_subsystems, | ||
/// None, | ||
|
@@ -549,13 +594,13 @@ where | |
/// # }); | ||
/// # } | ||
/// ``` | ||
pub fn new<CV, CB, SD, AD, AR, BS, BD, P, RA, AS, NB, CA, CG, CP, ApD, ApV, GS>( | ||
pub fn new<CV, CB, SD, AD, AR, BS, BD, P, RA, AS, NB, CA, CG, CP, ApD, ApV, GS, DC, DP, DD, CS>( | ||
leaves: impl IntoIterator<Item = BlockInfo>, | ||
all_subsystems: AllSubsystems<CV, CB, SD, AD, AR, BS, BD, P, RA, AS, NB, CA, CG, CP, ApD, ApV, GS>, | ||
all_subsystems: AllSubsystems<CV, CB, SD, AD, AR, BS, BD, P, RA, AS, NB, CA, CG, CP, ApD, ApV, GS, DC, DP, DD, CS>, | ||
prometheus_registry: Option<&prometheus::Registry>, | ||
supports_parachains: SupportsParachains, | ||
s: S, | ||
) -> SubsystemResult<(Self, Handle)> | ||
) -> SubsystemResult<(Self, OverseerHandle)> | ||
where | ||
CV: Subsystem<OverseerSubsystemContext<CandidateValidationMessage>, SubsystemError> + Send, | ||
CB: Subsystem<OverseerSubsystemContext<CandidateBackingMessage>, SubsystemError> + Send, | ||
|
@@ -574,11 +619,15 @@ where | |
ApD: Subsystem<OverseerSubsystemContext<ApprovalDistributionMessage>, SubsystemError> + Send, | ||
ApV: Subsystem<OverseerSubsystemContext<ApprovalVotingMessage>, SubsystemError> + Send, | ||
GS: Subsystem<OverseerSubsystemContext<GossipSupportMessage>, SubsystemError> + Send, | ||
DC: Subsystem<OverseerSubsystemContext<DisputeCoordinatorMessage>, SubsystemError> + Send, | ||
DP: Subsystem<OverseerSubsystemContext<DisputeParticipationMessage>, SubsystemError> + Send, | ||
DD: Subsystem<OverseerSubsystemContext<DisputeDistributionMessage>, SubsystemError> + Send, | ||
CS: Subsystem<OverseerSubsystemContext<ChainSelectionMessage>, SubsystemError> + Send, | ||
S: SpawnNamed, | ||
{ | ||
let metrics: Metrics = <Metrics as MetricsTrait>::register(prometheus_registry)?; | ||
|
||
let (mut overseer, handler) = Self::builder() | ||
let (mut overseer, handle) = Self::builder() | ||
.candidate_validation(all_subsystems.candidate_validation) | ||
.candidate_backing(all_subsystems.candidate_backing) | ||
.statement_distribution(all_subsystems.statement_distribution) | ||
|
@@ -596,6 +645,10 @@ where | |
.approval_distribution(all_subsystems.approval_distribution) | ||
.approval_voting(all_subsystems.approval_voting) | ||
.gossip_support(all_subsystems.gossip_support) | ||
.dispute_coordinator(all_subsystems.dispute_coordinator) | ||
.dispute_participation(all_subsystems.dispute_participation) | ||
.dispute_distribution(all_subsystems.dispute_distribution) | ||
.chain_selection(all_subsystems.chain_selection) | ||
.leaves(Vec::from_iter( | ||
leaves.into_iter().map(|BlockInfo { hash, parent_hash: _, number }| (hash, number)) | ||
)) | ||
|
@@ -647,7 +700,7 @@ where | |
overseer.spawner().spawn("metrics_metronome", Box::pin(metronome)); | ||
} | ||
|
||
Ok((overseer, Handle(handler))) | ||
Ok((overseer, handle)) | ||
} | ||
|
||
/// Stop the overseer. | ||
|
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Ty