pallet_bridge_messages/
lib.rs

1// Copyright (C) Parity Technologies (UK) Ltd.
2// This file is part of Parity Bridges Common.
3
4// Parity Bridges Common is free software: you can redistribute it and/or modify
5// it under the terms of the GNU General Public License as published by
6// the Free Software Foundation, either version 3 of the License, or
7// (at your option) any later version.
8
9// Parity Bridges Common is distributed in the hope that it will be useful,
10// but WITHOUT ANY WARRANTY; without even the implied warranty of
11// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
12// GNU General Public License for more details.
13
14// You should have received a copy of the GNU General Public License
15// along with Parity Bridges Common.  If not, see <http://www.gnu.org/licenses/>.
16
17//! Runtime module that allows sending and receiving messages using lane concept:
18//!
19//! 1) the message is sent using `send_message()` call;
20//! 2) every outbound message is assigned nonce;
21//! 3) the messages are stored in the storage;
22//! 4) external component (relay) delivers messages to bridged chain;
23//! 5) messages are processed in order (ordered by assigned nonce);
24//! 6) relay may send proof-of-delivery back to this chain.
25//!
26//! Once message is sent, its progress can be tracked by looking at module events.
27//! The assigned nonce is reported using `MessageAccepted` event. When message is
28//! delivered to the the bridged chain, it is reported using `MessagesDelivered` event.
29//!
30//! **IMPORTANT NOTE**: after generating weights (custom `WeighInfo` implementation) for
31//! your runtime (where this module is plugged to), please add test for these weights.
32//! The test should call the `ensure_weights_are_correct` function from this module.
33//! If this test fails with your weights, then either weights are computed incorrectly,
34//! or some benchmarks assumptions are broken for your runtime.
35
36#![warn(missing_docs)]
37#![cfg_attr(not(feature = "std"), no_std)]
38
39pub use inbound_lane::{InboundLane, InboundLaneStorage, StoredInboundLaneData};
40pub use lanes_manager::{
41	LanesManager, LanesManagerError, RuntimeInboundLaneStorage, RuntimeOutboundLaneStorage,
42};
43pub use outbound_lane::{
44	OutboundLane, OutboundLaneStorage, ReceptionConfirmationError, StoredMessagePayload,
45};
46pub use weights::WeightInfo;
47pub use weights_ext::{
48	ensure_able_to_receive_confirmation, ensure_able_to_receive_message,
49	ensure_maximal_message_dispatch, ensure_weights_are_correct, WeightInfoExt,
50	EXPECTED_DEFAULT_MESSAGE_LENGTH, EXTRA_STORAGE_PROOF_SIZE,
51};
52
53use bp_header_chain::HeaderChain;
54use bp_messages::{
55	source_chain::{
56		DeliveryConfirmationPayments, FromBridgedChainMessagesDeliveryProof, OnMessagesDelivered,
57		SendMessageArtifacts,
58	},
59	target_chain::{
60		DeliveryPayments, DispatchMessage, FromBridgedChainMessagesProof, MessageDispatch,
61		ProvedLaneMessages, ProvedMessages,
62	},
63	ChainWithMessages, DeliveredMessages, InboundLaneData, InboundMessageDetails, MessageKey,
64	MessageNonce, MessagePayload, MessagesOperatingMode, OutboundLaneData, OutboundMessageDetails,
65	UnrewardedRelayersState, VerificationError,
66};
67use bp_runtime::{
68	AccountIdOf, BasicOperatingMode, HashOf, OwnedBridgeModule, PreComputedSize, RangeInclusiveExt,
69	Size,
70};
71use codec::{Decode, Encode};
72use frame_support::{dispatch::PostDispatchInfo, ensure, fail, traits::Get, DefaultNoBound};
73use sp_std::{marker::PhantomData, prelude::*};
74
75mod call_ext;
76mod inbound_lane;
77mod lanes_manager;
78mod outbound_lane;
79mod proofs;
80mod tests;
81mod weights_ext;
82
83pub mod weights;
84
85#[cfg(feature = "runtime-benchmarks")]
86pub mod benchmarking;
87pub mod migration;
88
89pub use call_ext::*;
90pub use pallet::*;
91#[cfg(feature = "test-helpers")]
92pub use tests::*;
93
94/// The target that will be used when publishing logs related to this pallet.
95pub const LOG_TARGET: &str = "runtime::bridge-messages";
96
97#[frame_support::pallet]
98pub mod pallet {
99	use super::*;
100	use bp_messages::{LaneIdType, ReceivedMessages, ReceptionResult};
101	use bp_runtime::RangeInclusiveExt;
102	use frame_support::pallet_prelude::*;
103	use frame_system::pallet_prelude::*;
104
105	#[pallet::config]
106	pub trait Config<I: 'static = ()>: frame_system::Config {
107		// General types
108
109		/// The overarching event type.
110		#[allow(deprecated)]
111		type RuntimeEvent: From<Event<Self, I>>
112			+ IsType<<Self as frame_system::Config>::RuntimeEvent>;
113		/// Benchmarks results from runtime we're plugged into.
114		type WeightInfo: WeightInfoExt;
115
116		/// This chain type.
117		type ThisChain: ChainWithMessages;
118		/// Bridged chain type.
119		type BridgedChain: ChainWithMessages;
120		/// Bridged chain headers provider.
121		type BridgedHeaderChain: HeaderChain<Self::BridgedChain>;
122
123		/// Payload type of outbound messages. This payload is dispatched on the bridged chain.
124		type OutboundPayload: Parameter + Size;
125		/// Payload type of inbound messages. This payload is dispatched on this chain.
126		type InboundPayload: Decode;
127		/// Lane identifier type.
128		type LaneId: LaneIdType;
129
130		/// Handler for relayer payments that happen during message delivery transaction.
131		type DeliveryPayments: DeliveryPayments<Self::AccountId>;
132		/// Handler for relayer payments that happen during message delivery confirmation
133		/// transaction.
134		type DeliveryConfirmationPayments: DeliveryConfirmationPayments<
135			Self::AccountId,
136			Self::LaneId,
137		>;
138		/// Delivery confirmation callback.
139		type OnMessagesDelivered: OnMessagesDelivered<Self::LaneId>;
140
141		/// Message dispatch handler.
142		type MessageDispatch: MessageDispatch<
143			DispatchPayload = Self::InboundPayload,
144			LaneId = Self::LaneId,
145		>;
146	}
147
148	/// Shortcut to this chain type for Config.
149	pub type ThisChainOf<T, I> = <T as Config<I>>::ThisChain;
150	/// Shortcut to bridged chain type for Config.
151	pub type BridgedChainOf<T, I> = <T as Config<I>>::BridgedChain;
152	/// Shortcut to bridged header chain type for Config.
153	pub type BridgedHeaderChainOf<T, I> = <T as Config<I>>::BridgedHeaderChain;
154	/// Shortcut to lane identifier type for Config.
155	pub type LaneIdOf<T, I> = <T as Config<I>>::LaneId;
156
157	#[pallet::pallet]
158	#[pallet::storage_version(migration::STORAGE_VERSION)]
159	pub struct Pallet<T, I = ()>(PhantomData<(T, I)>);
160
161	impl<T: Config<I>, I: 'static> OwnedBridgeModule<T> for Pallet<T, I> {
162		const LOG_TARGET: &'static str = LOG_TARGET;
163		type OwnerStorage = PalletOwner<T, I>;
164		type OperatingMode = MessagesOperatingMode;
165		type OperatingModeStorage = PalletOperatingMode<T, I>;
166	}
167
168	#[pallet::call]
169	impl<T: Config<I>, I: 'static> Pallet<T, I> {
170		/// Change `PalletOwner`.
171		///
172		/// May only be called either by root, or by `PalletOwner`.
173		#[pallet::call_index(0)]
174		#[pallet::weight((T::DbWeight::get().reads_writes(1, 1), DispatchClass::Operational))]
175		pub fn set_owner(origin: OriginFor<T>, new_owner: Option<T::AccountId>) -> DispatchResult {
176			<Self as OwnedBridgeModule<_>>::set_owner(origin, new_owner)
177		}
178
179		/// Halt or resume all/some pallet operations.
180		///
181		/// May only be called either by root, or by `PalletOwner`.
182		#[pallet::call_index(1)]
183		#[pallet::weight((T::DbWeight::get().reads_writes(1, 1), DispatchClass::Operational))]
184		pub fn set_operating_mode(
185			origin: OriginFor<T>,
186			operating_mode: MessagesOperatingMode,
187		) -> DispatchResult {
188			<Self as OwnedBridgeModule<_>>::set_operating_mode(origin, operating_mode)
189		}
190
191		/// Receive messages proof from bridged chain.
192		///
193		/// The weight of the call assumes that the transaction always brings outbound lane
194		/// state update. Because of that, the submitter (relayer) has no benefit of not including
195		/// this data in the transaction, so reward confirmations lags should be minimal.
196		///
197		/// The call fails if:
198		///
199		/// - the pallet is halted;
200		///
201		/// - the call origin is not `Signed(_)`;
202		///
203		/// - there are too many messages in the proof;
204		///
205		/// - the proof verification procedure returns an error - e.g. because header used to craft
206		///   proof is not imported by the associated finality pallet;
207		///
208		/// - the `dispatch_weight` argument is not sufficient to dispatch all bundled messages.
209		///
210		/// The call may succeed, but some messages may not be delivered e.g. if they are not fit
211		/// into the unrewarded relayers vector.
212		#[pallet::call_index(2)]
213		#[pallet::weight(T::WeightInfo::receive_messages_proof_weight(&**proof, *messages_count, *dispatch_weight))]
214		pub fn receive_messages_proof(
215			origin: OriginFor<T>,
216			relayer_id_at_bridged_chain: AccountIdOf<BridgedChainOf<T, I>>,
217			proof: Box<FromBridgedChainMessagesProof<HashOf<BridgedChainOf<T, I>>, T::LaneId>>,
218			messages_count: u32,
219			dispatch_weight: Weight,
220		) -> DispatchResultWithPostInfo {
221			Self::ensure_not_halted().map_err(Error::<T, I>::BridgeModule)?;
222			let relayer_id_at_this_chain = ensure_signed(origin)?;
223
224			// reject transactions that are declaring too many messages
225			ensure!(
226				MessageNonce::from(messages_count) <=
227					BridgedChainOf::<T, I>::MAX_UNCONFIRMED_MESSAGES_IN_CONFIRMATION_TX,
228				Error::<T, I>::TooManyMessagesInTheProof
229			);
230
231			// why do we need to know the weight of this (`receive_messages_proof`) call? Because
232			// we may want to return some funds for not-dispatching (or partially dispatching) some
233			// messages to the call origin (relayer). And this is done by returning actual weight
234			// from the call. But we only know dispatch weight of every message. So to refund
235			// relayer because we have not dispatched message, we need to:
236			//
237			// ActualWeight = DeclaredWeight - Message.DispatchWeight
238			//
239			// The DeclaredWeight is exactly what's computed here. Unfortunately it is impossible
240			// to get pre-computed value (and it has been already computed by the executive).
241			let declared_weight = T::WeightInfo::receive_messages_proof_weight(
242				&*proof,
243				messages_count,
244				dispatch_weight,
245			);
246			let mut actual_weight = declared_weight;
247
248			// verify messages proof && convert proof into messages
249			let (lane_id, lane_data) =
250				verify_and_decode_messages_proof::<T, I>(*proof, messages_count).map_err(
251					|err| {
252						log::trace!(target: LOG_TARGET, "Rejecting invalid messages proof: {:?}", err,);
253
254						Error::<T, I>::InvalidMessagesProof
255					},
256				)?;
257
258			// dispatch messages and (optionally) update lane(s) state(s)
259			let mut total_messages = 0;
260			let mut valid_messages = 0;
261			let mut dispatch_weight_left = dispatch_weight;
262			let mut lane = active_inbound_lane::<T, I>(lane_id)?;
263
264			// subtract extra storage proof bytes from the actual PoV size - there may be
265			// less unrewarded relayers than the maximal configured value
266			let lane_extra_proof_size_bytes = lane.storage().extra_proof_size_bytes();
267			actual_weight = actual_weight.set_proof_size(
268				actual_weight.proof_size().saturating_sub(lane_extra_proof_size_bytes),
269			);
270
271			if let Some(lane_state) = lane_data.lane_state {
272				let updated_latest_confirmed_nonce = lane.receive_state_update(lane_state);
273				if let Some(updated_latest_confirmed_nonce) = updated_latest_confirmed_nonce {
274					log::trace!(
275						target: LOG_TARGET,
276						"Received lane {:?} state update: latest_confirmed_nonce={}. Unrewarded relayers: {:?}",
277						lane_id,
278						updated_latest_confirmed_nonce,
279						UnrewardedRelayersState::from(&lane.storage().data()),
280					);
281				}
282			}
283
284			let mut messages_received_status =
285				ReceivedMessages::new(lane_id, Vec::with_capacity(lane_data.messages.len()));
286			for mut message in lane_data.messages {
287				debug_assert_eq!(message.key.lane_id, lane_id);
288				total_messages += 1;
289
290				// ensure that relayer has declared enough weight for dispatching next message
291				// on this lane. We can't dispatch lane messages out-of-order, so if declared
292				// weight is not enough, let's move to next lane
293				let message_dispatch_weight = T::MessageDispatch::dispatch_weight(&mut message);
294				if message_dispatch_weight.any_gt(dispatch_weight_left) {
295					log::trace!(
296						target: LOG_TARGET,
297						"Cannot dispatch any more messages on lane {:?}. Weight: declared={}, left={}",
298						lane_id,
299						message_dispatch_weight,
300						dispatch_weight_left,
301					);
302
303					fail!(Error::<T, I>::InsufficientDispatchWeight);
304				}
305
306				let receival_result = lane.receive_message::<T::MessageDispatch>(
307					&relayer_id_at_bridged_chain,
308					message.key.nonce,
309					message.data,
310				);
311
312				// note that we're returning unspent weight to relayer even if message has been
313				// rejected by the lane. This allows relayers to submit spam transactions with
314				// e.g. the same set of already delivered messages over and over again, without
315				// losing funds for messages dispatch. But keep in mind that relayer pays base
316				// delivery transaction cost anyway. And base cost covers everything except
317				// dispatch, so we have a balance here.
318				let unspent_weight = match &receival_result {
319					ReceptionResult::Dispatched(dispatch_result) => {
320						valid_messages += 1;
321						dispatch_result.unspent_weight
322					},
323					ReceptionResult::InvalidNonce |
324					ReceptionResult::TooManyUnrewardedRelayers |
325					ReceptionResult::TooManyUnconfirmedMessages => message_dispatch_weight,
326				};
327				messages_received_status.push(message.key.nonce, receival_result);
328
329				let unspent_weight = unspent_weight.min(message_dispatch_weight);
330				dispatch_weight_left -= message_dispatch_weight - unspent_weight;
331				actual_weight = actual_weight.saturating_sub(unspent_weight);
332			}
333
334			// let's now deal with relayer payments
335			T::DeliveryPayments::pay_reward(
336				relayer_id_at_this_chain,
337				total_messages,
338				valid_messages,
339				actual_weight,
340			);
341
342			log::debug!(
343				target: LOG_TARGET,
344				"Received messages: total={}, valid={}. Weight used: {}/{}.",
345				total_messages,
346				valid_messages,
347				actual_weight,
348				declared_weight,
349			);
350
351			Self::deposit_event(Event::MessagesReceived(messages_received_status));
352
353			Ok(PostDispatchInfo { actual_weight: Some(actual_weight), pays_fee: Pays::Yes })
354		}
355
356		/// Receive messages delivery proof from bridged chain.
357		#[pallet::call_index(3)]
358		#[pallet::weight(T::WeightInfo::receive_messages_delivery_proof_weight(
359			proof,
360			relayers_state,
361		))]
362		pub fn receive_messages_delivery_proof(
363			origin: OriginFor<T>,
364			proof: FromBridgedChainMessagesDeliveryProof<HashOf<BridgedChainOf<T, I>>, T::LaneId>,
365			mut relayers_state: UnrewardedRelayersState,
366		) -> DispatchResultWithPostInfo {
367			Self::ensure_not_halted().map_err(Error::<T, I>::BridgeModule)?;
368
369			let proof_size = proof.size();
370			let confirmation_relayer = ensure_signed(origin)?;
371			let (lane_id, lane_data) = proofs::verify_messages_delivery_proof::<T, I>(proof)
372				.map_err(|err| {
373					log::trace!(
374						target: LOG_TARGET,
375						"Rejecting invalid messages delivery proof: {:?}",
376						err,
377					);
378
379					Error::<T, I>::InvalidMessagesDeliveryProof
380				})?;
381			ensure!(
382				relayers_state.is_valid(&lane_data),
383				Error::<T, I>::InvalidUnrewardedRelayersState
384			);
385
386			// mark messages as delivered
387			let mut lane = any_state_outbound_lane::<T, I>(lane_id)?;
388			let last_delivered_nonce = lane_data.last_delivered_nonce();
389			let confirmed_messages = lane
390				.confirm_delivery(
391					relayers_state.total_messages,
392					last_delivered_nonce,
393					&lane_data.relayers,
394				)
395				.map_err(Error::<T, I>::ReceptionConfirmation)?;
396
397			if let Some(confirmed_messages) = confirmed_messages {
398				// emit 'delivered' event
399				let received_range = confirmed_messages.begin..=confirmed_messages.end;
400				Self::deposit_event(Event::MessagesDelivered {
401					lane_id: lane_id.into(),
402					messages: confirmed_messages,
403				});
404
405				// if some new messages have been confirmed, reward relayers
406				let actually_rewarded_relayers = T::DeliveryConfirmationPayments::pay_reward(
407					lane_id,
408					lane_data.relayers,
409					&confirmation_relayer,
410					&received_range,
411				);
412
413				// update relayers state with actual numbers to compute actual weight below
414				relayers_state.unrewarded_relayer_entries = sp_std::cmp::min(
415					relayers_state.unrewarded_relayer_entries,
416					actually_rewarded_relayers,
417				);
418				relayers_state.total_messages = sp_std::cmp::min(
419					relayers_state.total_messages,
420					received_range.checked_len().unwrap_or(MessageNonce::MAX),
421				);
422			};
423
424			log::trace!(
425				target: LOG_TARGET,
426				"Received messages delivery proof up to (and including) {} at lane {:?}",
427				last_delivered_nonce,
428				lane_id,
429			);
430
431			// notify others about messages delivery
432			T::OnMessagesDelivered::on_messages_delivered(
433				lane_id,
434				lane.data().queued_messages().saturating_len(),
435			);
436
437			// because of lags, the inbound lane state (`lane_data`) may have entries for
438			// already rewarded relayers and messages (if all entries are duplicated, then
439			// this transaction must be filtered out by our signed extension)
440			let actual_weight = T::WeightInfo::receive_messages_delivery_proof_weight(
441				&PreComputedSize(proof_size as usize),
442				&relayers_state,
443			);
444
445			Ok(PostDispatchInfo { actual_weight: Some(actual_weight), pays_fee: Pays::Yes })
446		}
447	}
448
449	#[pallet::event]
450	#[pallet::generate_deposit(pub(super) fn deposit_event)]
451	pub enum Event<T: Config<I>, I: 'static = ()> {
452		/// Message has been accepted and is waiting to be delivered.
453		MessageAccepted {
454			/// Lane, which has accepted the message.
455			lane_id: T::LaneId,
456			/// Nonce of accepted message.
457			nonce: MessageNonce,
458		},
459		/// Messages have been received from the bridged chain.
460		MessagesReceived(
461			/// Result of received messages dispatch.
462			ReceivedMessages<
463				<T::MessageDispatch as MessageDispatch>::DispatchLevelResult,
464				T::LaneId,
465			>,
466		),
467		/// Messages in the inclusive range have been delivered to the bridged chain.
468		MessagesDelivered {
469			/// Lane for which the delivery has been confirmed.
470			lane_id: T::LaneId,
471			/// Delivered messages.
472			messages: DeliveredMessages,
473		},
474	}
475
476	#[pallet::error]
477	#[derive(PartialEq, Eq)]
478	pub enum Error<T, I = ()> {
479		/// Pallet is not in Normal operating mode.
480		NotOperatingNormally,
481		/// Error that is reported by the lanes manager.
482		LanesManager(LanesManagerError),
483		/// Message has been treated as invalid by the pallet logic.
484		MessageRejectedByPallet(VerificationError),
485		/// The transaction brings too many messages.
486		TooManyMessagesInTheProof,
487		/// Invalid messages has been submitted.
488		InvalidMessagesProof,
489		/// Invalid messages delivery proof has been submitted.
490		InvalidMessagesDeliveryProof,
491		/// The relayer has declared invalid unrewarded relayers state in the
492		/// `receive_messages_delivery_proof` call.
493		InvalidUnrewardedRelayersState,
494		/// The cumulative dispatch weight, passed by relayer is not enough to cover dispatch
495		/// of all bundled messages.
496		InsufficientDispatchWeight,
497		/// Error confirming messages receival.
498		ReceptionConfirmation(ReceptionConfirmationError),
499		/// Error generated by the `OwnedBridgeModule` trait.
500		BridgeModule(bp_runtime::OwnedBridgeModuleError),
501	}
502
503	/// Optional pallet owner.
504	///
505	/// Pallet owner has a right to halt all pallet operations and then resume it. If it is
506	/// `None`, then there are no direct ways to halt/resume pallet operations, but other
507	/// runtime methods may still be used to do that (i.e. democracy::referendum to update halt
508	/// flag directly or call the `set_operating_mode`).
509	#[pallet::storage]
510	pub type PalletOwner<T: Config<I>, I: 'static = ()> = StorageValue<_, T::AccountId>;
511
512	/// The current operating mode of the pallet.
513	///
514	/// Depending on the mode either all, some, or no transactions will be allowed.
515	#[pallet::storage]
516	pub type PalletOperatingMode<T: Config<I>, I: 'static = ()> =
517		StorageValue<_, MessagesOperatingMode, ValueQuery>;
518
519	// TODO: https://github.com/paritytech/parity-bridges-common/pull/2213: let's limit number of
520	// possible opened lanes && use it to constraint maps below
521
522	/// Map of lane id => inbound lane data.
523	#[pallet::storage]
524	pub type InboundLanes<T: Config<I>, I: 'static = ()> =
525		StorageMap<_, Blake2_128Concat, T::LaneId, StoredInboundLaneData<T, I>, OptionQuery>;
526
527	/// Map of lane id => outbound lane data.
528	#[pallet::storage]
529	pub type OutboundLanes<T: Config<I>, I: 'static = ()> = StorageMap<
530		Hasher = Blake2_128Concat,
531		Key = T::LaneId,
532		Value = OutboundLaneData,
533		QueryKind = OptionQuery,
534	>;
535
536	/// All queued outbound messages.
537	#[pallet::storage]
538	pub type OutboundMessages<T: Config<I>, I: 'static = ()> =
539		StorageMap<_, Blake2_128Concat, MessageKey<T::LaneId>, StoredMessagePayload<T, I>>;
540
541	#[pallet::genesis_config]
542	#[derive(DefaultNoBound)]
543	pub struct GenesisConfig<T: Config<I>, I: 'static = ()> {
544		/// Initial pallet operating mode.
545		pub operating_mode: MessagesOperatingMode,
546		/// Initial pallet owner.
547		pub owner: Option<T::AccountId>,
548		/// Opened lanes.
549		pub opened_lanes: Vec<T::LaneId>,
550		/// Dummy marker.
551		#[serde(skip)]
552		pub _phantom: sp_std::marker::PhantomData<I>,
553	}
554
555	#[pallet::genesis_build]
556	impl<T: Config<I>, I: 'static> BuildGenesisConfig for GenesisConfig<T, I> {
557		fn build(&self) {
558			PalletOperatingMode::<T, I>::put(self.operating_mode);
559			if let Some(ref owner) = self.owner {
560				PalletOwner::<T, I>::put(owner);
561			}
562
563			for lane_id in &self.opened_lanes {
564				InboundLanes::<T, I>::insert(lane_id, InboundLaneData::opened());
565				OutboundLanes::<T, I>::insert(lane_id, OutboundLaneData::opened());
566			}
567		}
568	}
569
570	#[pallet::hooks]
571	impl<T: Config<I>, I: 'static> Hooks<BlockNumberFor<T>> for Pallet<T, I> {
572		#[cfg(feature = "try-runtime")]
573		fn try_state(_n: BlockNumberFor<T>) -> Result<(), sp_runtime::TryRuntimeError> {
574			Self::do_try_state()
575		}
576	}
577
578	impl<T: Config<I>, I: 'static> Pallet<T, I> {
579		/// Get stored data of the outbound message with given nonce.
580		pub fn outbound_message_data(
581			lane: T::LaneId,
582			nonce: MessageNonce,
583		) -> Option<MessagePayload> {
584			OutboundMessages::<T, I>::get(MessageKey { lane_id: lane, nonce }).map(Into::into)
585		}
586
587		/// Prepare data, related to given inbound message.
588		pub fn inbound_message_data(
589			lane: T::LaneId,
590			payload: MessagePayload,
591			outbound_details: OutboundMessageDetails,
592		) -> InboundMessageDetails {
593			let mut dispatch_message = DispatchMessage {
594				key: MessageKey { lane_id: lane, nonce: outbound_details.nonce },
595				data: payload.into(),
596			};
597			InboundMessageDetails {
598				dispatch_weight: T::MessageDispatch::dispatch_weight(&mut dispatch_message),
599			}
600		}
601
602		/// Return outbound lane data.
603		pub fn outbound_lane_data(lane: T::LaneId) -> Option<OutboundLaneData> {
604			OutboundLanes::<T, I>::get(lane)
605		}
606
607		/// Return inbound lane data.
608		pub fn inbound_lane_data(
609			lane: T::LaneId,
610		) -> Option<InboundLaneData<AccountIdOf<BridgedChainOf<T, I>>>> {
611			InboundLanes::<T, I>::get(lane).map(|lane| lane.0)
612		}
613	}
614
615	#[cfg(any(feature = "try-runtime", test))]
616	impl<T: Config<I>, I: 'static> Pallet<T, I> {
617		/// Ensure the correctness of the state of this pallet.
618		pub fn do_try_state() -> Result<(), sp_runtime::TryRuntimeError> {
619			Self::do_try_state_for_outbound_lanes()
620		}
621
622		/// Ensure the correctness of the state of outbound lanes.
623		pub fn do_try_state_for_outbound_lanes() -> Result<(), sp_runtime::TryRuntimeError> {
624			use sp_runtime::traits::One;
625			use sp_std::vec::Vec;
626
627			// collect unpruned lanes
628			let mut unpruned_lanes = Vec::new();
629			for (lane_id, lane_data) in OutboundLanes::<T, I>::iter() {
630				let Some(expected_last_prunned_nonce) =
631					lane_data.oldest_unpruned_nonce.checked_sub(One::one())
632				else {
633					continue;
634				};
635
636				// collect message_nonces that were supposed to be pruned
637				let mut unpruned_message_nonces = Vec::new();
638				const MAX_MESSAGES_ITERATION: u64 = 16;
639				let start_nonce =
640					expected_last_prunned_nonce.checked_sub(MAX_MESSAGES_ITERATION).unwrap_or(0);
641				for current_nonce in start_nonce..=expected_last_prunned_nonce {
642					// check a message for current_nonce
643					if OutboundMessages::<T, I>::contains_key(MessageKey {
644						lane_id,
645						nonce: current_nonce,
646					}) {
647						unpruned_message_nonces.push(current_nonce);
648					}
649				}
650
651				if !unpruned_message_nonces.is_empty() {
652					log::warn!(
653						target: LOG_TARGET,
654						"do_try_state_for_outbound_lanes for lane_id: {lane_id:?} with lane_data: {lane_data:?} found unpruned_message_nonces: {unpruned_message_nonces:?}",
655					);
656					unpruned_lanes.push((lane_id, lane_data, unpruned_message_nonces));
657				}
658			}
659
660			// ensure messages before `oldest_unpruned_nonce` are really pruned.
661			ensure!(unpruned_lanes.is_empty(), "Found unpruned lanes!");
662
663			Ok(())
664		}
665	}
666}
667
668/// Structure, containing a validated message payload and all the info required
669/// to send it on the bridge.
670#[derive(Debug, PartialEq, Eq)]
671pub struct SendMessageArgs<T: Config<I>, I: 'static> {
672	lane_id: T::LaneId,
673	lane: OutboundLane<RuntimeOutboundLaneStorage<T, I>>,
674	payload: StoredMessagePayload<T, I>,
675}
676
677impl<T, I> bp_messages::source_chain::MessagesBridge<T::OutboundPayload, T::LaneId> for Pallet<T, I>
678where
679	T: Config<I>,
680	I: 'static,
681{
682	type Error = Error<T, I>;
683	type SendMessageArgs = SendMessageArgs<T, I>;
684
685	fn validate_message(
686		lane_id: T::LaneId,
687		message: &T::OutboundPayload,
688	) -> Result<SendMessageArgs<T, I>, Self::Error> {
689		// we can't accept any messages if the pallet is halted
690		ensure_normal_operating_mode::<T, I>()?;
691
692		// check lane
693		let lane = active_outbound_lane::<T, I>(lane_id)?;
694
695		Ok(SendMessageArgs {
696			lane_id,
697			lane,
698			payload: StoredMessagePayload::<T, I>::try_from(message.encode()).map_err(|_| {
699				Error::<T, I>::MessageRejectedByPallet(VerificationError::MessageTooLarge)
700			})?,
701		})
702	}
703
704	fn send_message(args: SendMessageArgs<T, I>) -> SendMessageArtifacts {
705		// save message in outbound storage and emit event
706		let mut lane = args.lane;
707		let message_len = args.payload.len();
708		let nonce = lane.send_message(args.payload);
709
710		// return number of messages in the queue to let sender know about its state
711		let enqueued_messages = lane.data().queued_messages().saturating_len();
712
713		log::trace!(
714			target: LOG_TARGET,
715			"Accepted message {} to lane {:?}. Message size: {:?}",
716			nonce,
717			args.lane_id,
718			message_len,
719		);
720
721		Pallet::<T, I>::deposit_event(Event::MessageAccepted {
722			lane_id: args.lane_id.into(),
723			nonce,
724		});
725
726		SendMessageArtifacts { nonce, enqueued_messages }
727	}
728}
729
730/// Ensure that the pallet is in normal operational mode.
731fn ensure_normal_operating_mode<T: Config<I>, I: 'static>() -> Result<(), Error<T, I>> {
732	if PalletOperatingMode::<T, I>::get() ==
733		MessagesOperatingMode::Basic(BasicOperatingMode::Normal)
734	{
735		return Ok(());
736	}
737
738	Err(Error::<T, I>::NotOperatingNormally)
739}
740
741/// Creates new inbound lane object, backed by runtime storage. Lane must be active.
742fn active_inbound_lane<T: Config<I>, I: 'static>(
743	lane_id: T::LaneId,
744) -> Result<InboundLane<RuntimeInboundLaneStorage<T, I>>, Error<T, I>> {
745	LanesManager::<T, I>::new()
746		.active_inbound_lane(lane_id)
747		.map_err(Error::LanesManager)
748}
749
750/// Creates new outbound lane object, backed by runtime storage. Lane must be active.
751fn active_outbound_lane<T: Config<I>, I: 'static>(
752	lane_id: T::LaneId,
753) -> Result<OutboundLane<RuntimeOutboundLaneStorage<T, I>>, Error<T, I>> {
754	LanesManager::<T, I>::new()
755		.active_outbound_lane(lane_id)
756		.map_err(Error::LanesManager)
757}
758
759/// Creates new outbound lane object, backed by runtime storage.
760fn any_state_outbound_lane<T: Config<I>, I: 'static>(
761	lane_id: T::LaneId,
762) -> Result<OutboundLane<RuntimeOutboundLaneStorage<T, I>>, Error<T, I>> {
763	LanesManager::<T, I>::new()
764		.any_state_outbound_lane(lane_id)
765		.map_err(Error::LanesManager)
766}
767
768/// Verify messages proof and return proved messages with decoded payload.
769fn verify_and_decode_messages_proof<T: Config<I>, I: 'static>(
770	proof: FromBridgedChainMessagesProof<HashOf<BridgedChainOf<T, I>>, T::LaneId>,
771	messages_count: u32,
772) -> Result<
773	ProvedMessages<T::LaneId, DispatchMessage<T::InboundPayload, T::LaneId>>,
774	VerificationError,
775> {
776	// `receive_messages_proof` weight formula and `MAX_UNCONFIRMED_MESSAGES_IN_CONFIRMATION_TX`
777	// check guarantees that the `message_count` is sane and Vec<Message> may be allocated.
778	// (tx with too many messages will either be rejected from the pool, or will fail earlier)
779	proofs::verify_messages_proof::<T, I>(proof, messages_count).map(|(lane, lane_data)| {
780		(
781			lane,
782			ProvedLaneMessages {
783				lane_state: lane_data.lane_state,
784				messages: lane_data.messages.into_iter().map(Into::into).collect(),
785			},
786		)
787	})
788}