parachain.rs 31.4 KB
Newer Older
Shawn Tabrizi's avatar
Shawn Tabrizi committed
1
// Copyright 2017-2020 Parity Technologies (UK) Ltd.
Gav's avatar
Gav committed
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
// This file is part of Polkadot.

// Polkadot is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// Polkadot is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with Polkadot.  If not, see <http://www.gnu.org/licenses/>.

17
18
//! Primitives which are necessary for parachain execution from a relay-chain
//! perspective.
Gav Wood's avatar
Gav Wood committed
19

20
21
use sp_std::prelude::*;
use sp_std::cmp::Ordering;
22
use parity_scale_codec::{Encode, Decode};
23
use bitvec::vec::BitVec;
24
use super::{Hash, Balance, BlockNumber};
25

26
27
28
#[cfg(feature = "std")]
use serde::{Serialize, Deserialize};

Gav's avatar
Gav committed
29
#[cfg(feature = "std")]
30
use primitives::{bytes, crypto::Pair};
31
use primitives::RuntimeDebug;
32
use runtime_primitives::traits::{AppVerify, Block as BlockT};
33
use inherents::InherentIdentifier;
34
use application_crypto::KeyTypeId;
35
use polkadot_core_primitives::DownwardMessage;
Gav Wood's avatar
Gav Wood committed
36

37
38
39
pub use polkadot_parachain::primitives::{
	Id, ParachainDispatchOrigin, LOWEST_USER_ID, UpwardMessage, HeadData, BlockData,
	ValidationCode,
40
};
41

42
43
44
/// The key type ID for a collator key.
pub const COLLATOR_KEY_TYPE_ID: KeyTypeId = KeyTypeId(*b"coll");

45
46
47
48
/// An identifier for inherent data that provides new minimally-attested
/// parachain heads.
pub const NEW_HEADS_IDENTIFIER: InherentIdentifier = *b"newheads";

49
50
51
52
53
mod collator_app {
	use application_crypto::{app_crypto, sr25519};
	app_crypto!(sr25519, super::COLLATOR_KEY_TYPE_ID);
}

Gav Wood's avatar
Gav Wood committed
54
/// Identity that collators use.
55
56
57
58
59
pub type CollatorId = collator_app::Public;

/// A Parachain collator keypair.
#[cfg(feature = "std")]
pub type CollatorPair = collator_app::Pair;
Gav Wood's avatar
Gav Wood committed
60

61
/// Signature on candidate's block data by a collator.
62
63
64
65
66
67
68
69
70
pub type CollatorSignature = collator_app::Signature;

/// The key type ID for a parachain validator key.
pub const PARACHAIN_KEY_TYPE_ID: KeyTypeId = KeyTypeId(*b"para");

mod validator_app {
	use application_crypto::{app_crypto, sr25519};
	app_crypto!(sr25519, super::PARACHAIN_KEY_TYPE_ID);
}
Gav Wood's avatar
Gav Wood committed
71
72
73

/// Identity that parachain validators use when signing validation messages.
///
joe petrowski's avatar
joe petrowski committed
74
/// For now we assert that parachain validator set is exactly equivalent to the authority set, and
Gav Wood's avatar
Gav Wood committed
75
/// so we define it to be the same type as `SessionKey`. In the future it may have different crypto.
76
pub type ValidatorId = validator_app::Public;
Gav Wood's avatar
Gav Wood committed
77

78
79
80
/// Index of the validator is used as a lightweight replacement of the `ValidatorId` when appropriate.
pub type ValidatorIndex = u32;

81
82
83
84
application_crypto::with_pair! {
	/// A Parachain validator keypair.
	pub type ValidatorPair = validator_app::Pair;
}
85

joe petrowski's avatar
joe petrowski committed
86
/// Signature with which parachain validators sign blocks.
Gav Wood's avatar
Gav Wood committed
87
///
joe petrowski's avatar
joe petrowski committed
88
/// For now we assert that parachain validator set is exactly equivalent to the authority set, and
Gav Wood's avatar
Gav Wood committed
89
/// so we define it to be the same type as `SessionKey`. In the future it may have different crypto.
90
pub type ValidatorSignature = validator_app::Signature;
Gav's avatar
Gav committed
91

92
93
94
95
/// Retriability for a given active para.
#[derive(Clone, Eq, PartialEq, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug))]
pub enum Retriable {
joe petrowski's avatar
joe petrowski committed
96
	/// Ineligible for retry. This means it's either a parachain that is always scheduled anyway or
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
	/// has been removed/swapped.
	Never,
	/// Eligible for retry; the associated value is the number of retries that the para already had.
	WithRetries(u32),
}

/// Type determining the active set of parachains in current block.
pub trait ActiveParas {
	/// Return the active set of parachains in current block. This attempts to keep any IDs in the
	/// same place between sequential blocks. It is therefore unordered. The second item in the
	/// tuple is the required collator ID, if any. If `Some`, then it is invalid to include any
	/// other collator's block.
	///
	/// NOTE: The initial implementation simply concatenates the (ordered) set of (permanent)
	/// parachain IDs with the (unordered) set of parathread IDs selected for this block.
	fn active_paras() -> Vec<(Id, Option<(CollatorId, Retriable)>)>;
}

/// Description of how often/when this parachain is scheduled for progression.
116
#[derive(Encode, Decode, Clone, PartialEq, Eq, RuntimeDebug)]
117
118
119
120
121
122
123
124
pub enum Scheduling {
	/// Scheduled every block.
	Always,
	/// Scheduled dynamically (i.e. a parathread).
	Dynamic,
}

/// Information regarding a deployed parachain/thread.
125
#[derive(Encode, Decode, Clone, PartialEq, Eq, RuntimeDebug)]
126
127
128
129
130
131
132
133
134
135
pub struct Info {
	/// Scheduling info.
	pub scheduling: Scheduling,
}

/// An `Info` value for a standard leased parachain.
pub const PARACHAIN_INFO: Info = Info {
	scheduling: Scheduling::Always,
};

joe petrowski's avatar
joe petrowski committed
136
/// Auxilliary for when there's an attempt to swap two parachains/parathreads.
137
138
139
140
141
pub trait SwapAux {
	/// Result describing whether it is possible to swap two parachains. Doesn't mutate state.
	fn ensure_can_swap(one: Id, other: Id) -> Result<(), &'static str>;

	/// Updates any needed state/references to enact a logical swap of two parachains. Identity,
joe petrowski's avatar
joe petrowski committed
142
	/// code and `head_data` remain equivalent for all parachains/threads, however other properties
143
144
145
146
147
148
149
150
	/// such as leases, deposits held and thread/chain nature are swapped.
	///
	/// May only be called on a state that `ensure_can_swap` has previously returned `Ok` for: if this is
	/// not the case, the result is undefined. May only return an error if `ensure_can_swap` also returns
	/// an error.
	fn on_swap(one: Id, other: Id) -> Result<(), &'static str>;
}

ddorgan's avatar
ddorgan committed
151
152
153
154
155
impl SwapAux for () {
	fn ensure_can_swap(_: Id, _: Id) -> Result<(), &'static str> { Err("Swapping disabled") }
	fn on_swap(_: Id, _: Id) -> Result<(), &'static str> { Err("Swapping disabled") }
}

156
/// Identifier for a chain, either one of a number of parachains or the relay chain.
157
#[derive(Copy, Clone, PartialEq, Encode, Decode)]
158
159
160
161
162
163
164
165
166
#[cfg_attr(feature = "std", derive(Debug))]
pub enum Chain {
	/// The relay chain.
	Relay,
	/// A parachain of the given index.
	Parachain(Id),
}

/// The duty roster specifying what jobs each validator must do.
167
#[derive(Clone, PartialEq, Encode, Decode)]
168
169
170
171
172
173
#[cfg_attr(feature = "std", derive(Default, Debug))]
pub struct DutyRoster {
	/// Lookup from validator index to chain on which that validator has a duty to validate.
	pub validator_duty: Vec<Chain>,
}

joe petrowski's avatar
joe petrowski committed
174
/// Extra data that is needed along with the other fields in a `CandidateReceipt`
175
176
177
178
179
/// to fully validate the candidate.
///
/// These are global parameters that apply to all parachain candidates in a block.
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug, Default))]
asynchronous rob's avatar
asynchronous rob committed
180
pub struct GlobalValidationSchedule<N = BlockNumber> {
181
182
183
184
	/// The maximum code size permitted, in bytes.
	pub max_code_size: u32,
	/// The maximum head-data size permitted, in bytes.
	pub max_head_data_size: u32,
185
	/// The relay-chain block number this is in the context of.
asynchronous rob's avatar
asynchronous rob committed
186
	pub block_number: N,
187
188
}

joe petrowski's avatar
joe petrowski committed
189
/// Extra data that is needed along with the other fields in a `CandidateReceipt`
190
/// to fully validate the candidate. These fields are parachain-specific.
191
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
192
#[cfg_attr(feature = "std", derive(Debug, Default))]
asynchronous rob's avatar
asynchronous rob committed
193
pub struct LocalValidationData<N = BlockNumber> {
194
195
196
197
	/// The parent head-data.
	pub parent_head: HeadData,
	/// The balance of the parachain at the moment of validation.
	pub balance: Balance,
198
199
200
201
202
203
204
205
206
207
208
	/// Whether the parachain is allowed to upgrade its validation code.
	///
	/// This is `Some` if so, and contains the number of the minimum relay-chain
	/// height at which the upgrade will be applied, if an upgrade is signaled
	/// now.
	///
	/// A parachain should enact its side of the upgrade at the end of the first
	/// parablock executing in the context of a relay-chain block with at least this
	/// height. This may be equal to the current perceived relay-chain block height, in
	/// which case the code upgrade should be applied at the end of the signaling
	/// block.
asynchronous rob's avatar
asynchronous rob committed
209
	pub code_upgrade_allowed: Option<N>,
210
211
212
213
214
}

/// Commitments made in a `CandidateReceipt`. Many of these are outputs of validation.
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug, Default))]
asynchronous rob's avatar
asynchronous rob committed
215
pub struct CandidateCommitments<H = Hash> {
joe petrowski's avatar
joe petrowski committed
216
	/// Fees paid from the chain to the relay chain validators.
217
218
219
220
	pub fees: Balance,
	/// Messages destined to be interpreted by the Relay chain itself.
	pub upward_messages: Vec<UpwardMessage>,
	/// The root of a block's erasure encoding Merkle tree.
asynchronous rob's avatar
asynchronous rob committed
221
	pub erasure_root: H,
222
	/// New validation code.
223
	pub new_validation_code: Option<ValidationCode>,
224
225
226
227
	/// Number of `DownwardMessage`'s that were processed by the Parachain.
	///
	/// It is expected that the Parachain processes them from first to last.
	pub processed_downward_messages: u32,
228
229
230
}

/// Get a collator signature payload on a relay-parent, block-data combo.
asynchronous rob's avatar
asynchronous rob committed
231
232
pub fn collator_signature_payload<H: AsRef<[u8]>>(
	relay_parent: &H,
233
	parachain_index: &Id,
asynchronous rob's avatar
asynchronous rob committed
234
	pov_block_hash: &H,
235
236
237
238
239
240
241
242
243
244
245
) -> [u8; 68] {
	// 32-byte hash length is protected in a test below.
	let mut payload = [0u8; 68];

	payload[0..32].copy_from_slice(relay_parent.as_ref());
	u32::from(*parachain_index).using_encoded(|s| payload[32..32 + s.len()].copy_from_slice(s));
	payload[36..68].copy_from_slice(pov_block_hash.as_ref());

	payload
}

asynchronous rob's avatar
asynchronous rob committed
246
247
fn check_collator_signature<H: AsRef<[u8]>>(
	relay_parent: &H,
248
	parachain_index: &Id,
asynchronous rob's avatar
asynchronous rob committed
249
	pov_block_hash: &H,
250
251
252
253
254
255
256
257
258
259
260
261
262
263
	collator: &CollatorId,
	signature: &CollatorSignature,
) -> Result<(),()> {
	let payload = collator_signature_payload(relay_parent, parachain_index, pov_block_hash);
	if signature.verify(&payload[..], collator) {
		Ok(())
	} else {
		Err(())
	}
}

/// All data pertaining to the execution of a parachain candidate.
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug, Default))]
asynchronous rob's avatar
asynchronous rob committed
264
pub struct CandidateReceipt<H = Hash, N = BlockNumber> {
265
266
	/// The ID of the parachain this is a candidate for.
	pub parachain_index: Id,
267
268
	/// The hash of the relay-chain block this should be executed in
	/// the context of.
asynchronous rob's avatar
asynchronous rob committed
269
	pub relay_parent: H,
270
271
	/// The head-data
	pub head_data: HeadData,
272
273
274
275
	/// The collator's relay-chain account ID
	pub collator: CollatorId,
	/// Signature on blake2-256 of the block data by collator.
	pub signature: CollatorSignature,
276
	/// The hash of the PoV-block.
asynchronous rob's avatar
asynchronous rob committed
277
	pub pov_block_hash: H,
278
	/// The global validation schedule.
asynchronous rob's avatar
asynchronous rob committed
279
	pub global_validation: GlobalValidationSchedule<N>,
280
	/// The local validation data.
asynchronous rob's avatar
asynchronous rob committed
281
	pub local_validation: LocalValidationData<N>,
282
	/// Commitments made as a result of validation.
asynchronous rob's avatar
asynchronous rob committed
283
	pub commitments: CandidateCommitments<H>,
284
285
}

asynchronous rob's avatar
asynchronous rob committed
286
impl<H: AsRef<[u8]>, N> CandidateReceipt<H, N> {
287
288
289
290
291
292
293
294
295
296
297
298
299
	/// Check integrity vs. provided block data.
	pub fn check_signature(&self) -> Result<(), ()> {
		check_collator_signature(
			&self.relay_parent,
			&self.parachain_index,
			&self.pov_block_hash,
			&self.collator,
			&self.signature,
		)
	}

	/// Abridge this `CandidateReceipt`, splitting it into an `AbridgedCandidateReceipt`
	/// and its omitted component.
asynchronous rob's avatar
asynchronous rob committed
300
	pub fn abridge(self) -> (AbridgedCandidateReceipt<H>, OmittedValidationData<N>) {
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
		let CandidateReceipt {
			parachain_index,
			relay_parent,
			head_data,
			collator,
			signature,
			pov_block_hash,
			global_validation,
			local_validation,
			commitments,
		} = self;

		let abridged = AbridgedCandidateReceipt {
			parachain_index,
			relay_parent,
			head_data,
			collator,
			signature,
			pov_block_hash,
			commitments,
		};

		let omitted = OmittedValidationData {
			global_validation,
			local_validation,
		};

		(abridged, omitted)
329
330
331
	}
}

332
333
334
335
336
impl PartialOrd for CandidateReceipt {
	fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
		Some(self.cmp(other))
	}
}
337

338
339
340
341
342
343
impl Ord for CandidateReceipt {
	fn cmp(&self, other: &Self) -> Ordering {
		// TODO: compare signatures or something more sane
		// https://github.com/paritytech/polkadot/issues/222
		self.parachain_index.cmp(&other.parachain_index)
			.then_with(|| self.head_data.cmp(&other.head_data))
344
345
346
	}
}

347
348
/// All the data which is omitted in an `AbridgedCandidateReceipt`, but that
/// is necessary for validation of the parachain candidate.
349
350
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug, Default))]
asynchronous rob's avatar
asynchronous rob committed
351
pub struct OmittedValidationData<N = BlockNumber> {
352
	/// The global validation schedule.
asynchronous rob's avatar
asynchronous rob committed
353
	pub global_validation: GlobalValidationSchedule<N>,
354
	/// The local validation data.
asynchronous rob's avatar
asynchronous rob committed
355
	pub local_validation: LocalValidationData<N>,
356
357
358
359
360
361
362
363
364
}

/// An abridged candidate-receipt.
///
/// Much info in a candidate-receipt is duplicated from the relay-chain state.
/// When submitting to the relay-chain, this data should be omitted as it can
/// be re-generated from relay-chain state.
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug, Default))]
asynchronous rob's avatar
asynchronous rob committed
365
pub struct AbridgedCandidateReceipt<H = Hash> {
Gav's avatar
Gav committed
366
367
	/// The ID of the parachain this is a candidate for.
	pub parachain_index: Id,
368
369
370
371
	/// The hash of the relay-chain block this should be executed in
	/// the context of.
	// NOTE: the fact that the hash includes this value means that code depends
	// on this for deduplication. Removing this field is likely to break things.
asynchronous rob's avatar
asynchronous rob committed
372
	pub relay_parent: H,
373
374
	/// The head-data
	pub head_data: HeadData,
375
	/// The collator's relay-chain account ID
Gav Wood's avatar
Gav Wood committed
376
	pub collator: CollatorId,
377
	/// Signature on blake2-256 of the block data by collator.
Gav Wood's avatar
Gav Wood committed
378
	pub signature: CollatorSignature,
379
	/// The hash of the pov-block.
asynchronous rob's avatar
asynchronous rob committed
380
	pub pov_block_hash: H,
381
	/// Commitments made as a result of validation.
asynchronous rob's avatar
asynchronous rob committed
382
	pub commitments: CandidateCommitments<H>,
Gav's avatar
Gav committed
383
384
}

asynchronous rob's avatar
asynchronous rob committed
385
386
387
388
389
390
391
392
393
394
395
396
impl<H: AsRef<[u8]> + Encode> AbridgedCandidateReceipt<H> {
	/// Check integrity vs. provided block data.
	pub fn check_signature(&self) -> Result<(), ()> {
		check_collator_signature(
			&self.relay_parent,
			&self.parachain_index,
			&self.pov_block_hash,
			&self.collator,
			&self.signature,
		)
	}

397
398
399
400
	/// Compute the hash of the abridged candidate receipt.
	///
	/// This is often used as the canonical hash of the receipt, rather than
	/// the hash of the full receipt. The reason being that all data in the full
joe petrowski's avatar
joe petrowski committed
401
	/// receipt is committed to in the abridged receipt; this receipt references
402
403
	/// the relay-chain block in which context it should be executed, which implies
	/// any blockchain state that must be referenced.
404
	pub fn hash(&self) -> Hash {
405
		use runtime_primitives::traits::{BlakeTwo256, Hash};
Gav Wood's avatar
Gav Wood committed
406
		BlakeTwo256::hash_of(self)
407
	}
asynchronous rob's avatar
asynchronous rob committed
408
}
409

asynchronous rob's avatar
asynchronous rob committed
410
impl AbridgedCandidateReceipt {
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
	/// Combine the abridged candidate receipt with the omitted data,
	/// forming a full `CandidateReceipt`.
	pub fn complete(self, omitted: OmittedValidationData) -> CandidateReceipt {
		let AbridgedCandidateReceipt {
			parachain_index,
			relay_parent,
			head_data,
			collator,
			signature,
			pov_block_hash,
			commitments,
		} = self;

		let OmittedValidationData {
			global_validation,
			local_validation,
		} = omitted;

		CandidateReceipt {
			parachain_index,
			relay_parent,
			head_data,
			collator,
			signature,
			pov_block_hash,
			local_validation,
			global_validation,
			commitments,
		}
	}

	/// Clone the relevant portions of the `CandidateReceipt` to form a `CollationInfo`.
	pub fn to_collation_info(&self) -> CollationInfo {
		let AbridgedCandidateReceipt {
			parachain_index,
			relay_parent,
			head_data,
			collator,
			signature,
			pov_block_hash,
			commitments: _commitments,
		} = self;
453

454
455
456
457
458
459
460
		CollationInfo {
			parachain_index: *parachain_index,
			relay_parent: *relay_parent,
			head_data: head_data.clone(),
			collator: collator.clone(),
			signature: signature.clone(),
			pov_block_hash: *pov_block_hash,
461
462
		}
	}
463
464
}

465
466

impl PartialOrd for AbridgedCandidateReceipt {
467
468
469
470
471
	fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
		Some(self.cmp(other))
	}
}

472
impl Ord for AbridgedCandidateReceipt {
473
474
	fn cmp(&self, other: &Self) -> Ordering {
		// TODO: compare signatures or something more sane
475
		// https://github.com/paritytech/polkadot/issues/222
476
477
478
479
480
		self.parachain_index.cmp(&other.parachain_index)
			.then_with(|| self.head_data.cmp(&other.head_data))
	}
}

481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
/// A collation sent by a collator.
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug, Default))]
pub struct CollationInfo {
	/// The ID of the parachain this is a candidate for.
	pub parachain_index: Id,
	/// The relay-chain block hash this block should execute in the
	/// context of.
	pub relay_parent: Hash,
	/// The collator's relay-chain account ID
	pub collator: CollatorId,
	/// Signature on blake2-256 of the block data by collator.
	pub signature: CollatorSignature,
	/// The head-data
	pub head_data: HeadData,
	/// blake2-256 Hash of the pov-block
	pub pov_block_hash: Hash,
}

impl CollationInfo {
	/// Check integrity vs. a pov-block.
	pub fn check_signature(&self) -> Result<(), ()> {
		check_collator_signature(
			&self.relay_parent,
			&self.parachain_index,
			&self.pov_block_hash,
			&self.collator,
			&self.signature,
		)
	}

	/// Turn this into an `AbridgedCandidateReceipt` by supplying a set of commitments.
	pub fn into_receipt(self, commitments: CandidateCommitments) -> AbridgedCandidateReceipt {
		let CollationInfo {
			parachain_index,
			relay_parent,
			collator,
			signature,
			head_data,
			pov_block_hash,
		} = self;

		AbridgedCandidateReceipt {
			parachain_index,
			relay_parent,
			collator,
			signature,
			head_data,
			pov_block_hash,
			commitments,
		}
	}
}

535
/// A full collation.
536
537
#[derive(PartialEq, Eq, Clone)]
#[cfg_attr(feature = "std", derive(Debug, Encode, Decode))]
538
539
pub struct Collation {
	/// Candidate receipt itself.
540
	pub info: CollationInfo,
541
542
	/// A proof-of-validation for the receipt.
	pub pov: PoVBlock,
543
544
}

545
/// A Proof-of-Validation block.
Gav's avatar
Gav committed
546
#[derive(PartialEq, Eq, Clone)]
547
548
549
550
551
552
#[cfg_attr(feature = "std", derive(Debug, Encode, Decode))]
pub struct PoVBlock {
	/// Block data.
	pub block_data: BlockData,
}

553
554
555
556
557
558
559
560
561
impl PoVBlock {
	/// Compute hash of block data.
	#[cfg(feature = "std")]
	pub fn hash(&self) -> Hash {
		use runtime_primitives::traits::{BlakeTwo256, Hash};
		BlakeTwo256::hash_of(&self)
	}
}

joe petrowski's avatar
joe petrowski committed
562
/// The data that is kept available about a particular parachain block.
563
564
565
566
567
#[derive(PartialEq, Eq, Clone)]
#[cfg_attr(feature = "std", derive(Debug, Encode, Decode))]
pub struct AvailableData {
	/// The PoV block.
	pub pov_block: PoVBlock,
joe petrowski's avatar
joe petrowski committed
568
	/// Data that is omitted from an abridged candidate receipt
569
570
571
572
573
	/// that is necessary for validation.
	pub omitted_validation: OmittedValidationData,
	// In the future, outgoing messages as well.
}

574
575
576
577
578
579
580
581
582
583
584
585
/// A chunk of erasure-encoded block data.
#[derive(PartialEq, Eq, Clone, Encode, Decode, Default)]
#[cfg_attr(feature = "std", derive(Serialize, Deserialize, Debug))]
pub struct ErasureChunk {
	/// The erasure-encoded chunk of data belonging to the candidate block.
	pub chunk: Vec<u8>,
	/// The index of this erasure-encoded chunk of data.
	pub index: u32,
	/// Proof for this chunk's branch in the Merkle tree.
	pub proof: Vec<Vec<u8>>,
}

Gav's avatar
Gav committed
586
587
/// Parachain header raw bytes wrapper type.
#[derive(PartialEq, Eq)]
Gav Wood's avatar
Gav Wood committed
588
#[cfg_attr(feature = "std", derive(Serialize, Deserialize, Debug))]
Gav's avatar
Gav committed
589
590
pub struct Header(#[cfg_attr(feature = "std", serde(with="bytes"))] pub Vec<u8>);

joe petrowski's avatar
joe petrowski committed
591
/// Activity bit field.
592
#[derive(PartialEq, Eq, Clone, Default, Encode, Decode)]
Gav Wood's avatar
Gav Wood committed
593
#[cfg_attr(feature = "std", derive(Serialize, Deserialize, Debug))]
Gav's avatar
Gav committed
594
595
pub struct Activity(#[cfg_attr(feature = "std", serde(with="bytes"))] pub Vec<u8>);

joe petrowski's avatar
joe petrowski committed
596
597
/// Statements that can be made about parachain candidates. These are the
/// actual values that are signed.
598
#[derive(Clone, PartialEq, Eq, Encode, Decode)]
599
#[cfg_attr(feature = "std", derive(Debug))]
600
pub enum CompactStatement {
601
	/// Proposal of a parachain candidate.
602
	#[codec(index = "1")]
603
	Candidate(Hash),
604
	/// State that a parachain candidate is valid.
605
	#[codec(index = "2")]
606
	Valid(Hash),
joe petrowski's avatar
joe petrowski committed
607
	/// State that a parachain candidate is invalid.
608
	#[codec(index = "3")]
609
610
	Invalid(Hash),
}
611

612
613
/// A signed compact statement, suitable to be sent to the chain.
pub type SignedStatement = Signed<CompactStatement>;
614

615
616
/// An either implicit or explicit attestation to the validity of a parachain
/// candidate.
617
#[derive(Clone, Eq, PartialEq, Decode, Encode, RuntimeDebug)]
618
pub enum ValidityAttestation {
joe petrowski's avatar
joe petrowski committed
619
	/// Implicit validity attestation by issuing.
620
621
	/// This corresponds to issuance of a `Candidate` statement.
	#[codec(index = "1")]
622
	Implicit(ValidatorSignature),
623
624
625
	/// An explicit attestation. This corresponds to issuance of a
	/// `Valid` statement.
	#[codec(index = "2")]
626
	Explicit(ValidatorSignature),
627
628
}

asynchronous rob's avatar
asynchronous rob committed
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
impl ValidityAttestation {
	/// Get a reference to the signature.
	pub fn signature(&self) -> &ValidatorSignature {
		match *self {
			ValidityAttestation::Implicit(ref sig) => sig,
			ValidityAttestation::Explicit(ref sig) => sig,
		}
	}

	/// Produce the underlying signed payload of the attestation, given the hash of the candidate,
	/// which should be known in context.
	pub fn signed_payload<H: Encode>(
		&self,
		candidate_hash: Hash,
		signing_context: &SigningContext<H>,
	) -> Vec<u8> {
		match *self {
			ValidityAttestation::Implicit(_) => (
647
				CompactStatement::Candidate(candidate_hash),
asynchronous rob's avatar
asynchronous rob committed
648
649
650
				signing_context,
			).encode(),
			ValidityAttestation::Explicit(_) => (
651
				CompactStatement::Valid(candidate_hash),
asynchronous rob's avatar
asynchronous rob committed
652
653
654
655
656
657
				signing_context,
			).encode(),
		}
	}
}

658
659
/// A type returned by runtime with current session index and a parent hash.
#[derive(Clone, Eq, PartialEq, Default, Decode, Encode, RuntimeDebug)]
asynchronous rob's avatar
asynchronous rob committed
660
pub struct SigningContext<H = Hash> {
661
662
663
	/// Current session index.
	pub session_index: sp_staking::SessionIndex,
	/// Hash of the parent.
asynchronous rob's avatar
asynchronous rob committed
664
	pub parent_hash: H,
665
666
}

667
/// An attested candidate. This is submitted to the relay chain by a block author.
668
#[derive(Clone, PartialEq, Decode, Encode, RuntimeDebug)]
669
pub struct AttestedCandidate {
670
671
672
	/// The candidate data. This is abridged, because the omitted data
	/// is already present within the relay chain state.
	pub candidate: AbridgedCandidateReceipt,
673
	/// Validity attestations.
674
675
	pub validity_votes: Vec<ValidityAttestation>,
	/// Indices of the corresponding validity votes.
676
	pub validator_indices: BitVec<bitvec::order::Lsb0, u8>,
677
678
679
680
}

impl AttestedCandidate {
	/// Get the candidate.
681
	pub fn candidate(&self) -> &AbridgedCandidateReceipt {
682
683
684
685
686
687
688
689
690
		&self.candidate
	}

	/// Get the group ID of the candidate.
	pub fn parachain_index(&self) -> Id {
		self.candidate.parachain_index
	}
}

691
692
693
694
695
696
/// A fee schedule for messages. This is a linear function in the number of bytes of a message.
#[derive(PartialEq, Eq, PartialOrd, Hash, Default, Clone, Copy, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Serialize, Deserialize, Debug))]
pub struct FeeSchedule {
	/// The base fee charged for all messages.
	pub base: Balance,
697
	/// The per-byte fee for messages charged on top of that.
698
699
700
701
702
	pub per_byte: Balance,
}

impl FeeSchedule {
	/// Compute the fee for a message of given size.
703
	pub fn compute_message_fee(&self, n_bytes: usize) -> Balance {
704
		use sp_std::mem;
705
706
707
708
709
710
711
		debug_assert!(mem::size_of::<Balance>() >= mem::size_of::<usize>());

		let n_bytes = n_bytes as Balance;
		self.base.saturating_add(n_bytes.saturating_mul(self.per_byte))
	}
}

712
713
714
715
716
717
718
719
720
721
722
723
/// A bitfield concerning availability of backed candidates.
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug))]
pub struct AvailabilityBitfield(pub BitVec<bitvec::order::Lsb0, u8>);

impl From<BitVec<bitvec::order::Lsb0, u8>> for AvailabilityBitfield {
	fn from(inner: BitVec<bitvec::order::Lsb0, u8>) -> Self {
		AvailabilityBitfield(inner)
	}
}

/// A bitfield signed by a particular validator about the availability of pending candidates.
724
pub type SignedAvailabilityBitfield = Signed<AvailabilityBitfield>;
725
726

/// A set of signed availability bitfields. Should be sorted by validator index, ascending.
727
#[derive(Encode, Decode, Clone, PartialEq, Eq, RuntimeDebug, Default)]
728
729
pub struct SignedAvailabilityBitfields(pub Vec<SignedAvailabilityBitfield>);

730
731
732
733
734
735
impl From<Vec<SignedAvailabilityBitfield>> for SignedAvailabilityBitfields {
	fn from(fields: Vec<SignedAvailabilityBitfield>) -> SignedAvailabilityBitfields {
		SignedAvailabilityBitfields(fields)
	}
}

736
737
738
739
740
/// A backed (or backable, depending on context) candidate.
// TODO: yes, this is roughly the same as AttestedCandidate.
// After https://github.com/paritytech/polkadot/issues/1250
// they should be unified to this type.
#[derive(Encode, Decode, Clone, PartialEq, Eq, RuntimeDebug)]
asynchronous rob's avatar
asynchronous rob committed
741
pub struct BackedCandidate<H = Hash> {
742
	/// The candidate referred to.
asynchronous rob's avatar
asynchronous rob committed
743
	pub candidate: AbridgedCandidateReceipt<H>,
744
745
746
747
748
749
	/// The validity votes themselves, expressed as signatures.
	pub validity_votes: Vec<ValidityAttestation>,
	/// The indices of the validators within the group, expressed as a bitfield.
	pub validator_indices: BitVec<bitvec::order::Lsb0, u8>,
}

asynchronous rob's avatar
asynchronous rob committed
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
/// Verify the backing of the given candidate.
///
/// Provide a lookup from the index of a validator within the group assigned to this para,
/// as opposed to the index of the validator within the overall validator set, as well as
/// the number of validators in the group.
///
/// Also provide the signing context.
///
/// Returns either an error, indicating that one of the signatures was invalid or that the index
/// was out-of-bounds, or the number of signatures checked.
pub fn check_candidate_backing<H: AsRef<[u8]> + Encode>(
	backed: &BackedCandidate<H>,
	signing_context: &SigningContext<H>,
	group_len: usize,
	validator_lookup: impl Fn(usize) -> Option<ValidatorId>,
) -> Result<usize, ()> {
	if backed.validator_indices.len() != group_len {
		return Err(())
	}

	if backed.validity_votes.len() > group_len {
		return Err(())
	}

	// this is known, even in runtime, to be blake2-256.
	let hash: Hash = backed.candidate.hash();

	let mut signed = 0;
	for ((val_in_group_idx, _), attestation) in backed.validator_indices.iter().enumerate()
		.filter(|(_, signed)| **signed)
		.zip(backed.validity_votes.iter())
	{
		let validator_id = validator_lookup(val_in_group_idx).ok_or(())?;
		let payload = attestation.signed_payload(hash.clone(), signing_context);
		let sig = attestation.signature();

		if sig.verify(&payload[..], &validator_id) {
			signed += 1;
		} else {
			return Err(())
		}
	}

	if signed != backed.validity_votes.len() {
		return Err(())
	}

	Ok(signed)
}

800
sp_api::decl_runtime_apis! {
801
	/// The API for querying the state of parachains on-chain.
802
	#[api_version(3)]
803
804
	pub trait ParachainHost {
		/// Get the current validators.
Gav Wood's avatar
Gav Wood committed
805
		fn validators() -> Vec<ValidatorId>;
806
807
808
		/// Get the current duty roster.
		fn duty_roster() -> DutyRoster;
		/// Get the currently active parachains.
809
		fn active_parachains() -> Vec<(Id, Option<(CollatorId, Retriable)>)>;
810
811
812
813
814
		/// Get the global validation schedule that all parachains should
		/// be validated under.
		fn global_validation_schedule() -> GlobalValidationSchedule;
		/// Get the local validation data for a particular parachain.
		fn local_validation_data(id: Id) -> Option<LocalValidationData>;
815
		/// Get the given parachain's head code blob.
816
		fn parachain_code(id: Id) -> Option<ValidationCode>;
817
818
819
		/// Extract the abridged head that was set in the extrinsics.
		fn get_heads(extrinsics: Vec<<Block as BlockT>::Extrinsic>)
			-> Option<Vec<AbridgedCandidateReceipt>>;
820
821
		/// Get a `SigningContext` with current `SessionIndex` and parent hash.
		fn signing_context() -> SigningContext;
822
823
		/// Get the `DownwardMessage`'s for the given parachain.
		fn downward_messages(id: Id) -> Vec<DownwardMessage>;
824
825
826
827
828
	}
}

/// Runtime ID module.
pub mod id {
829
	use sp_version::ApiId;
830
831
832
833

	/// Parachain host runtime API id.
	pub const PARACHAIN_HOST: ApiId = *b"parahost";
}
834

835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
/// This helper trait ensures that we can encode Statement as CompactStatement,
/// and anything as itself.
///
/// This resembles `parity_scale_codec::EncodeLike`, but it's distinct:
/// EncodeLike is a marker trait which asserts at the typesystem level that
/// one type's encoding is a valid encoding for another type. It doesn't
/// perform any type conversion when encoding.
///
/// This trait, on the other hand, provides a method which can be used to
/// simultaneously convert and encode one type as another.
pub trait EncodeAs<T> {
	/// Convert Self into T, then encode T.
	///
	/// This is useful when T is a subset of Self, reducing encoding costs;
	/// its signature also means that we do not need to clone Self in order
	/// to retain ownership, as we would if we were to do
	/// `self.clone().into().encode()`.
	fn encode_as(&self) -> Vec<u8>;
}

impl<T: Encode> EncodeAs<T> for T {
	fn encode_as(&self) -> Vec<u8> {
		self.encode()
	}
}

/// A signed type which encapsulates the common desire to sign some data and validate a signature.
///
/// Note that the internal fields are not public; they are all accessable by immutable getters.
/// This reduces the chance that they are accidentally mutated, invalidating the signature.
#[derive(Debug, Clone, PartialEq, Eq, Encode, Decode)]
pub struct Signed<Payload, RealPayload = Payload> {
	/// The payload is part of the signed data. The rest is the signing context,
	/// which is known both at signing and at validation.
	payload: Payload,
	/// The index of the validator signing this statement.
	validator_index: ValidatorIndex,
	/// The signature by the validator of the signed payload.
	signature: ValidatorSignature,
	/// This ensures the real payload is tracked at the typesystem level.
	real_payload: sp_std::marker::PhantomData<RealPayload>,
}

// We can't bound this on `Payload: Into<RealPayload>` beacuse that conversion consumes
// the payload, and we don't want that. We can't bound it on `Payload: AsRef<RealPayload>`
// because there's no blanket impl of `AsRef<T> for T`. In the end, we just invent our
// own trait which does what we need: EncodeAs.
impl<Payload: EncodeAs<RealPayload>, RealPayload: Encode> Signed<Payload, RealPayload> {
	fn payload_data<H: Encode>(payload: &Payload, context: &SigningContext<H>) -> Vec<u8> {
		// equivalent to (real_payload, context).encode()
		let mut out = payload.encode_as();
		out.extend(context.encode());
		out
	}

	/// Sign this payload with the given context and key, storing the validator index.
	#[cfg(feature = "std")]
	pub fn sign<H: Encode>(
		payload: Payload,
		context: &SigningContext<H>,
		validator_index: ValidatorIndex,
		key: &ValidatorPair,
	) -> Self {
		let data = Self::payload_data(&payload, context);
		let signature = key.sign(&data);
		Self {
			payload,
			validator_index,
			signature,
			real_payload: std::marker::PhantomData,
		}
	}

	/// Validate the payload given the context and public key.
	pub fn check_signature<H: Encode>(&self, context: &SigningContext<H>, key: &ValidatorId) -> Result<(), ()> {
		let data = Self::payload_data(&self.payload, context);
		if self.signature.verify(data.as_slice(), key) { Ok(()) } else { Err(()) }
	}

	/// Immutably access the payload.
	#[inline]
	pub fn payload(&self) -> &Payload {
		&self.payload
	}

	/// Immutably access the validator index.
	#[inline]
	pub fn validator_index(&self) -> ValidatorIndex {
		self.validator_index
	}

	/// Immutably access the signature.
	#[inline]
	pub fn signature(&self) -> &ValidatorSignature {
		&self.signature
	}

	/// Discard signing data, get the payload
	// Note: can't `impl<P, R> From<Signed<P, R>> for P` because the orphan rule exception doesn't
	// handle this case yet. Likewise can't `impl<P, R> Into<P> for Signed<P, R>` because it might
	// potentially conflict with the global blanket impl, even though it currently doesn't.
	#[inline]
	pub fn into_payload(self) -> Payload {
		self.payload
	}
}

942
943
944
945
946
947
948
949
950
951
952
#[cfg(test)]
mod tests {
	use super::*;

	#[test]
	fn balance_bigger_than_usize() {
		let zero_b: Balance = 0;
		let zero_u: usize = 0;

		assert!(zero_b.leading_zeros() >= zero_u.leading_zeros());
	}
953
954
955
956
957
958
959
960

	#[test]
	fn collator_signature_payload_is_valid() {
		// if this fails, collator signature verification code has to be updated.
		let h = Hash::default();
		assert_eq!(h.as_ref().len(), 32);

		let _payload = collator_signature_payload(
asynchronous rob's avatar
asynchronous rob committed
961
			&Hash::from([1; 32]),
962
			&5u32.into(),
asynchronous rob's avatar
asynchronous rob committed
963
			&Hash::from([2; 32]),
964
965
		);
	}
966
}