v0.rs 31.9 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
use sp_std::prelude::*;
21
22
#[cfg(feature = "std")]
use sp_std::convert::TryInto;
23
use sp_std::cmp::Ordering;
24

25
use parity_scale_codec::{Encode, Decode};
26
use bitvec::vec::BitVec;
27
28
29
#[cfg(feature = "std")]
use serde::{Serialize, Deserialize};

Gav's avatar
Gav committed
30
#[cfg(feature = "std")]
31
use sp_keystore::{CryptoStore, SyncCryptoStorePtr, Error as KeystoreError};
32
use primitives::RuntimeDebug;
33
use runtime_primitives::traits::{AppVerify, Block as BlockT};
34
use inherents::InherentIdentifier;
35
36
#[cfg(feature = "std")]
use application_crypto::AppKey;
37
use application_crypto::KeyTypeId;
asynchronous rob's avatar
asynchronous rob committed
38
39
40
41

pub use runtime_primitives::traits::{BlakeTwo256, Hash as HashT, Verify, IdentifyAccount};
pub use polkadot_core_primitives::*;
pub use parity_scale_codec::Compact;
Gav Wood's avatar
Gav Wood committed
42

43
pub use polkadot_parachain::primitives::{
44
	Id, LOWEST_USER_ID, UpwardMessage, HeadData, BlockData,
45
	ValidationCode,
46
};
47

48
49
50
/// The key type ID for a collator key.
pub const COLLATOR_KEY_TYPE_ID: KeyTypeId = KeyTypeId(*b"coll");

51
52
53
54
/// An identifier for inherent data that provides new minimally-attested
/// parachain heads.
pub const NEW_HEADS_IDENTIFIER: InherentIdentifier = *b"newheads";

55
56
57
58
59
mod collator_app {
	use application_crypto::{app_crypto, sr25519};
	app_crypto!(sr25519, super::COLLATOR_KEY_TYPE_ID);
}

Gav Wood's avatar
Gav Wood committed
60
/// Identity that collators use.
61
62
63
64
65
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
66

67
/// Signature on candidate's block data by a collator.
68
69
70
71
72
73
74
75
76
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
77
78
79

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

84
85
86
/// Index of the validator is used as a lightweight replacement of the `ValidatorId` when appropriate.
pub type ValidatorIndex = u32;

87
88
89
90
application_crypto::with_pair! {
	/// A Parachain validator keypair.
	pub type ValidatorPair = validator_app::Pair;
}
91

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

98
99
100
101
/// 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
102
	/// Ineligible for retry. This means it's either a parachain that is always scheduled anyway or
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
	/// 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.
122
#[derive(Encode, Decode, Clone, PartialEq, Eq, RuntimeDebug)]
123
124
125
126
127
128
129
130
pub enum Scheduling {
	/// Scheduled every block.
	Always,
	/// Scheduled dynamically (i.e. a parathread).
	Dynamic,
}

/// Information regarding a deployed parachain/thread.
131
#[derive(Encode, Decode, Clone, PartialEq, Eq, RuntimeDebug)]
132
133
134
135
136
137
138
139
140
141
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
142
/// Auxilliary for when there's an attempt to swap two parachains/parathreads.
143
144
145
146
147
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
148
	/// code and `head_data` remain equivalent for all parachains/threads, however other properties
149
150
151
152
153
154
155
156
	/// 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
157
158
159
160
161
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") }
}

162
/// Identifier for a chain, either one of a number of parachains or the relay chain.
163
#[derive(Copy, Clone, PartialEq, Encode, Decode)]
164
165
166
167
168
169
170
171
172
#[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.
173
#[derive(Clone, PartialEq, Encode, Decode)]
174
175
176
177
178
179
#[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
180
/// Extra data that is needed along with the other fields in a `CandidateReceipt`
181
182
183
184
185
/// 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))]
186
pub struct GlobalValidationData<N = BlockNumber> {
187
188
189
190
	/// 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,
191
	/// The relay-chain block number this is in the context of.
asynchronous rob's avatar
asynchronous rob committed
192
	pub block_number: N,
193
194
}

joe petrowski's avatar
joe petrowski committed
195
/// Extra data that is needed along with the other fields in a `CandidateReceipt`
196
/// to fully validate the candidate. These fields are parachain-specific.
197
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
198
#[cfg_attr(feature = "std", derive(Debug, Default))]
asynchronous rob's avatar
asynchronous rob committed
199
pub struct LocalValidationData<N = BlockNumber> {
200
201
202
203
	/// The parent head-data.
	pub parent_head: HeadData,
	/// The balance of the parachain at the moment of validation.
	pub balance: Balance,
204
205
206
207
208
209
210
211
212
213
214
	/// 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
215
	pub code_upgrade_allowed: Option<N>,
216
217
218
219
220
}

/// 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
221
pub struct CandidateCommitments<H = Hash> {
joe petrowski's avatar
joe petrowski committed
222
	/// Fees paid from the chain to the relay chain validators.
223
224
225
226
	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
227
	pub erasure_root: H,
228
	/// New validation code.
229
	pub new_validation_code: Option<ValidationCode>,
230
231
232
233
	/// 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,
234
235
236
}

/// Get a collator signature payload on a relay-parent, block-data combo.
asynchronous rob's avatar
asynchronous rob committed
237
238
pub fn collator_signature_payload<H: AsRef<[u8]>>(
	relay_parent: &H,
239
	parachain_index: &Id,
asynchronous rob's avatar
asynchronous rob committed
240
	pov_block_hash: &H,
241
242
243
244
245
246
247
248
249
250
251
) -> [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
252
253
fn check_collator_signature<H: AsRef<[u8]>>(
	relay_parent: &H,
254
	parachain_index: &Id,
asynchronous rob's avatar
asynchronous rob committed
255
	pov_block_hash: &H,
256
257
258
259
260
261
262
263
264
265
266
267
268
269
	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
270
pub struct CandidateReceipt<H = Hash, N = BlockNumber> {
271
272
	/// The ID of the parachain this is a candidate for.
	pub parachain_index: Id,
273
274
	/// The hash of the relay-chain block this should be executed in
	/// the context of.
asynchronous rob's avatar
asynchronous rob committed
275
	pub relay_parent: H,
276
277
	/// The head-data
	pub head_data: HeadData,
278
279
280
281
	/// The collator's relay-chain account ID
	pub collator: CollatorId,
	/// Signature on blake2-256 of the block data by collator.
	pub signature: CollatorSignature,
282
	/// The hash of the PoV-block.
asynchronous rob's avatar
asynchronous rob committed
283
	pub pov_block_hash: H,
284
	/// The global validation schedule.
285
	pub global_validation: GlobalValidationData<N>,
286
	/// The local validation data.
asynchronous rob's avatar
asynchronous rob committed
287
	pub local_validation: LocalValidationData<N>,
288
	/// Commitments made as a result of validation.
asynchronous rob's avatar
asynchronous rob committed
289
	pub commitments: CandidateCommitments<H>,
290
291
}

asynchronous rob's avatar
asynchronous rob committed
292
impl<H: AsRef<[u8]>, N> CandidateReceipt<H, N> {
293
294
295
296
297
298
299
300
301
302
303
304
305
	/// 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
306
	pub fn abridge(self) -> (AbridgedCandidateReceipt<H>, OmittedValidationData<N>) {
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
		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)
335
336
337
	}
}

338
339
340
341
342
impl PartialOrd for CandidateReceipt {
	fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
		Some(self.cmp(other))
	}
}
343

344
345
346
347
348
349
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))
350
351
352
	}
}

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

/// 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
371
pub struct AbridgedCandidateReceipt<H = Hash> {
Gav's avatar
Gav committed
372
373
	/// The ID of the parachain this is a candidate for.
	pub parachain_index: Id,
374
375
376
377
	/// 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
378
	pub relay_parent: H,
379
380
	/// The head-data
	pub head_data: HeadData,
381
	/// The collator's relay-chain account ID
Gav Wood's avatar
Gav Wood committed
382
	pub collator: CollatorId,
383
	/// Signature on blake2-256 of the block data by collator.
Gav Wood's avatar
Gav Wood committed
384
	pub signature: CollatorSignature,
385
	/// The hash of the pov-block.
asynchronous rob's avatar
asynchronous rob committed
386
	pub pov_block_hash: H,
387
	/// Commitments made as a result of validation.
asynchronous rob's avatar
asynchronous rob committed
388
	pub commitments: CandidateCommitments<H>,
Gav's avatar
Gav committed
389
390
}

391
392
393
394
395
396
397
398
399
/// A candidate-receipt with commitments directly included.
pub struct CommitedCandidateReceipt<H = Hash> {
	/// The descriptor of the candidae.
	pub descriptor: CandidateDescriptor,

	/// The commitments of the candidate receipt.
	pub commitments: CandidateCommitments<H>
}

asynchronous rob's avatar
asynchronous rob committed
400
401
402
403
404
405
406
407
408
409
410
411
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,
		)
	}

412
413
414
415
	/// 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
416
	/// receipt is committed to in the abridged receipt; this receipt references
417
418
	/// the relay-chain block in which context it should be executed, which implies
	/// any blockchain state that must be referenced.
419
	pub fn hash(&self) -> Hash {
Gav Wood's avatar
Gav Wood committed
420
		BlakeTwo256::hash_of(self)
421
	}
asynchronous rob's avatar
asynchronous rob committed
422
}
423

asynchronous rob's avatar
asynchronous rob committed
424
impl AbridgedCandidateReceipt {
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
453
454
455
456
457
458
459
460
461
462
463
464
465
466
	/// 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;
467

468
469
470
471
472
473
474
		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,
475
476
		}
	}
477
478
479
480
481
482
483
484
485
486
487

	/// Clone the relevant portions of the `AbridgedCandidateReceipt` to form a `CandidateDescriptor`.
	pub fn to_descriptor(&self) -> CandidateDescriptor {
		CandidateDescriptor {
			para_id: self.parachain_index,
			relay_parent: self.relay_parent,
			collator: self.collator.clone(),
			signature: self.signature.clone(),
			pov_hash: self.pov_block_hash.clone(),
		}
	}
488
489
}

490
impl PartialOrd for AbridgedCandidateReceipt {
491
492
493
494
495
	fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
		Some(self.cmp(other))
	}
}

496
impl Ord for AbridgedCandidateReceipt {
497
498
	fn cmp(&self, other: &Self) -> Ordering {
		// TODO: compare signatures or something more sane
499
		// https://github.com/paritytech/polkadot/issues/222
500
501
502
503
504
		self.parachain_index.cmp(&other.parachain_index)
			.then_with(|| self.head_data.cmp(&other.head_data))
	}
}

505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
/// A unique descriptor of the candidate receipt, in a lightweight format.
#[derive(PartialEq, Eq, Clone, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug, Default))]
pub struct CandidateDescriptor<H = Hash> {
	/// The ID of the para this is a candidate for.
	pub para_id: Id,
	/// 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.
	pub relay_parent: H,
	/// The collator's relay-chain account ID
	pub collator: CollatorId,
	/// Signature on blake2-256 of components of this receipt:
	/// The para ID, the relay parent, and the pov_hash.
	pub signature: CollatorSignature,
	/// The hash of the pov-block.
	pub pov_hash: H,
}

525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
/// 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,
		}
	}
}

579
/// A full collation.
580
581
#[derive(PartialEq, Eq, Clone)]
#[cfg_attr(feature = "std", derive(Debug, Encode, Decode))]
582
583
pub struct Collation {
	/// Candidate receipt itself.
584
	pub info: CollationInfo,
585
586
	/// A proof-of-validation for the receipt.
	pub pov: PoVBlock,
587
588
}

589
/// A Proof-of-Validation block.
Gav's avatar
Gav committed
590
#[derive(PartialEq, Eq, Clone)]
591
592
593
594
595
596
#[cfg_attr(feature = "std", derive(Debug, Encode, Decode))]
pub struct PoVBlock {
	/// Block data.
	pub block_data: BlockData,
}

597
598
599
600
601
602
603
604
impl PoVBlock {
	/// Compute hash of block data.
	#[cfg(feature = "std")]
	pub fn hash(&self) -> Hash {
		BlakeTwo256::hash_of(&self)
	}
}

joe petrowski's avatar
joe petrowski committed
605
/// The data that is kept available about a particular parachain block.
606
607
608
609
610
#[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
611
	/// Data that is omitted from an abridged candidate receipt
612
613
614
615
616
	/// that is necessary for validation.
	pub omitted_validation: OmittedValidationData,
	// In the future, outgoing messages as well.
}

617
618
/// A chunk of erasure-encoded block data.
#[derive(PartialEq, Eq, Clone, Encode, Decode, Default)]
619
#[cfg_attr(feature = "std", derive(Serialize, Deserialize, Debug, Hash))]
620
621
622
623
624
625
626
627
628
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>>,
}

joe petrowski's avatar
joe petrowski committed
629
630
/// Statements that can be made about parachain candidates. These are the
/// actual values that are signed.
631
632
#[derive(Clone, PartialEq, Eq, Encode, Decode)]
#[cfg_attr(feature = "std", derive(Debug, Hash))]
633
pub enum CompactStatement {
634
	/// Proposal of a parachain candidate.
635
	#[codec(index = "1")]
636
	Candidate(Hash),
637
	/// State that a parachain candidate is valid.
638
	#[codec(index = "2")]
639
	Valid(Hash),
joe petrowski's avatar
joe petrowski committed
640
	/// State that a parachain candidate is invalid.
641
	#[codec(index = "3")]
642
643
	Invalid(Hash),
}
644

645
646
647
648
649
650
651
652
653
654
655
656
impl CompactStatement {
	/// Get the underlying candidate hash this references.
	pub fn candidate_hash(&self) -> &Hash {
		match *self {
			CompactStatement::Candidate(ref h)
				| CompactStatement::Valid(ref h)
				| CompactStatement::Invalid(ref h)
				=> h
		}
	}
}

657
658
/// A signed compact statement, suitable to be sent to the chain.
pub type SignedStatement = Signed<CompactStatement>;
659

660
661
/// An either implicit or explicit attestation to the validity of a parachain
/// candidate.
662
#[derive(Clone, Eq, PartialEq, Decode, Encode, RuntimeDebug)]
663
pub enum ValidityAttestation {
joe petrowski's avatar
joe petrowski committed
664
	/// Implicit validity attestation by issuing.
665
666
	/// This corresponds to issuance of a `Candidate` statement.
	#[codec(index = "1")]
667
	Implicit(ValidatorSignature),
668
669
670
	/// An explicit attestation. This corresponds to issuance of a
	/// `Valid` statement.
	#[codec(index = "2")]
671
	Explicit(ValidatorSignature),
672
673
}

asynchronous rob's avatar
asynchronous rob committed
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
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(_) => (
692
				CompactStatement::Candidate(candidate_hash),
asynchronous rob's avatar
asynchronous rob committed
693
694
695
				signing_context,
			).encode(),
			ValidityAttestation::Explicit(_) => (
696
				CompactStatement::Valid(candidate_hash),
asynchronous rob's avatar
asynchronous rob committed
697
698
699
700
701
702
				signing_context,
			).encode(),
		}
	}
}

703
704
/// 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
705
pub struct SigningContext<H = Hash> {
706
707
708
	/// Current session index.
	pub session_index: sp_staking::SessionIndex,
	/// Hash of the parent.
asynchronous rob's avatar
asynchronous rob committed
709
	pub parent_hash: H,
710
711
}

712
/// An attested candidate. This is submitted to the relay chain by a block author.
713
#[derive(Clone, PartialEq, Decode, Encode, RuntimeDebug)]
714
pub struct AttestedCandidate {
715
716
717
	/// The candidate data. This is abridged, because the omitted data
	/// is already present within the relay chain state.
	pub candidate: AbridgedCandidateReceipt,
718
	/// Validity attestations.
719
720
	pub validity_votes: Vec<ValidityAttestation>,
	/// Indices of the corresponding validity votes.
721
	pub validator_indices: BitVec<bitvec::order::Lsb0, u8>,
722
723
724
725
}

impl AttestedCandidate {
	/// Get the candidate.
726
	pub fn candidate(&self) -> &AbridgedCandidateReceipt {
727
728
729
730
731
732
733
734
735
		&self.candidate
	}

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

736
737
738
739
740
741
/// 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,
742
	/// The per-byte fee for messages charged on top of that.
743
744
745
746
747
	pub per_byte: Balance,
}

impl FeeSchedule {
	/// Compute the fee for a message of given size.
748
	pub fn compute_message_fee(&self, n_bytes: usize) -> Balance {
749
		use sp_std::mem;
750
751
752
753
754
755
756
		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))
	}
}

757
sp_api::decl_runtime_apis! {
758
	/// The API for querying the state of parachains on-chain.
759
	#[api_version(3)]
760
761
	pub trait ParachainHost {
		/// Get the current validators.
Gav Wood's avatar
Gav Wood committed
762
		fn validators() -> Vec<ValidatorId>;
763
764
765
		/// Get the current duty roster.
		fn duty_roster() -> DutyRoster;
		/// Get the currently active parachains.
766
		fn active_parachains() -> Vec<(Id, Option<(CollatorId, Retriable)>)>;
767
768
		/// Get the global validation schedule that all parachains should
		/// be validated under.
769
		fn global_validation_data() -> GlobalValidationData;
770
771
		/// Get the local validation data for a particular parachain.
		fn local_validation_data(id: Id) -> Option<LocalValidationData>;
772
		/// Get the given parachain's head code blob.
773
		fn parachain_code(id: Id) -> Option<ValidationCode>;
774
775
776
		/// Extract the abridged head that was set in the extrinsics.
		fn get_heads(extrinsics: Vec<<Block as BlockT>::Extrinsic>)
			-> Option<Vec<AbridgedCandidateReceipt>>;
777
778
		/// Get a `SigningContext` with current `SessionIndex` and parent hash.
		fn signing_context() -> SigningContext;
779
780
		/// Get the `DownwardMessage`'s for the given parachain.
		fn downward_messages(id: Id) -> Vec<DownwardMessage>;
781
782
783
784
785
	}
}

/// Runtime ID module.
pub mod id {
786
	use sp_version::ApiId;
787
788
789
790

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

792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
/// 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.
Fedor Sakharov's avatar
Fedor Sakharov committed
822
#[derive(Clone, PartialEq, Eq, Encode, Decode, RuntimeDebug)]
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
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
	}

847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
	/// Used to create a `Signed` from already existing parts.
	#[cfg(feature = "std")]
	pub fn new<H: Encode>(
		payload: Payload,
		validator_index: ValidatorIndex,
		signature: ValidatorSignature,
		context: &SigningContext<H>,
		key: &ValidatorId,
	) -> Option<Self> {
		let s = Self {
			payload,
			validator_index,
			signature,
			real_payload: std::marker::PhantomData,
		};

		s.check_signature(context, key).ok()?;

		Some(s)
	}

868
869
	/// Sign this payload with the given context and key, storing the validator index.
	#[cfg(feature = "std")]
870
871
	pub async fn sign<H: Encode>(
		keystore: &SyncCryptoStorePtr,
872
873
874
		payload: Payload,
		context: &SigningContext<H>,
		validator_index: ValidatorIndex,
875
876
		key: &ValidatorId,
	) -> Result<Self, KeystoreError> {
877
		let data = Self::payload_data(&payload, context);
878
879
880
881
882
883
884
		let signature: ValidatorSignature = CryptoStore::sign_with(
			&**keystore,
			ValidatorId::ID,
			&key.into(),
			&data,
		).await?.try_into().map_err(|_| KeystoreError::KeyNotSupported(ValidatorId::ID))?;
		Ok(Self {
885
886
887
888
			payload,
			validator_index,
			signature,
			real_payload: std::marker::PhantomData,
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
	}

	/// 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
	}
}

asynchronous rob's avatar
asynchronous rob committed
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
/// Custom validity errors used in Polkadot while validating transactions.
#[repr(u8)]
pub enum ValidityError {
	/// The Ethereum signature is invalid.
	InvalidEthereumSignature = 0,
	/// The signer has no claim.
	SignerHasNoClaim = 1,
	/// No permission to execute the call.
	NoPermission = 2,
	/// An invalid statement was made for a claim.
	InvalidStatement = 3,
}

impl From<ValidityError> for u8 {
	fn from(err: ValidityError) -> Self {
		err as u8
	}
}

/// App-specific crypto used for reporting equivocation/misbehavior in BABE,
/// GRANDPA and Parachains, described in the white paper as the fisherman role.
/// Any rewards for misbehavior reporting will be paid out to this account.
pub mod fisherman {
	use super::{Signature, Verify};
	use primitives::crypto::KeyTypeId;

	/// Key type for the reporting module. Used for reporting BABE, GRANDPA
	/// and Parachain equivocations.
	pub const KEY_TYPE: KeyTypeId = KeyTypeId(*b"fish");

	mod app {
		use application_crypto::{app_crypto, sr25519};
		app_crypto!(sr25519, super::KEY_TYPE);
	}

	/// Identity of the equivocation/misbehavior reporter.
	pub type FishermanId = app::Public;

	/// An `AppCrypto` type to allow submitting signed transactions using the fisherman
	/// application key as signer.
	pub struct FishermanAppCrypto;
	impl frame_system::offchain::AppCrypto<<Signature as Verify>::Signer, Signature> for FishermanAppCrypto {
		type RuntimeAppPublic = FishermanId;
		type GenericSignature = primitives::sr25519::Signature;
		type GenericPublic = primitives::sr25519::Public;
	}
}


975
976
977
978
979
980
981
982
983
984
985
#[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());
	}
986
987
988
989
990
991
992
993

	#[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
994
			&Hash::from([1; 32]),
995
			&5u32.into(),
asynchronous rob's avatar
asynchronous rob committed
996
			&Hash::from([2; 32]),
997
998
		);
	}
999
}