sp_trie/
trie_codec.rs

1// This file is part of Substrate.
2
3// Copyright (C) Parity Technologies (UK) Ltd.
4// SPDX-License-Identifier: Apache-2.0
5
6// Licensed under the Apache License, Version 2.0 (the "License");
7// you may not use this file except in compliance with the License.
8// You may obtain a copy of the License at
9//
10// 	http://www.apache.org/licenses/LICENSE-2.0
11//
12// Unless required by applicable law or agreed to in writing, software
13// distributed under the License is distributed on an "AS IS" BASIS,
14// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
15// See the License for the specific language governing permissions and
16// limitations under the License.
17
18//! Compact proof support.
19//!
20//! This uses compact proof from trie crate and extends
21//! it to substrate specific layout and child trie system.
22
23use crate::{CompactProof, HashDBT, TrieConfiguration, TrieHash, EMPTY_PREFIX};
24use alloc::{boxed::Box, vec::Vec};
25use trie_db::{CError, Trie};
26
27/// Error for trie node decoding.
28#[derive(Debug)]
29#[cfg_attr(feature = "std", derive(thiserror::Error))]
30pub enum Error<H, CodecError> {
31	#[cfg_attr(feature = "std", error("Invalid root {0:x?}, expected {1:x?}"))]
32	RootMismatch(H, H),
33	#[cfg_attr(feature = "std", error("Missing nodes in the proof"))]
34	IncompleteProof,
35	#[cfg_attr(feature = "std", error("Child node content with no root in proof"))]
36	ExtraneousChildNode,
37	#[cfg_attr(feature = "std", error("Proof of child trie {0:x?} not in parent proof"))]
38	ExtraneousChildProof(H),
39	#[cfg_attr(feature = "std", error("Invalid root {0:x?}, expected {1:x?}"))]
40	InvalidChildRoot(Vec<u8>, Vec<u8>),
41	#[cfg_attr(feature = "std", error("Trie error: {0:?}"))]
42	TrieError(Box<trie_db::TrieError<H, CodecError>>),
43}
44
45impl<H, CodecError> From<Box<trie_db::TrieError<H, CodecError>>> for Error<H, CodecError> {
46	fn from(error: Box<trie_db::TrieError<H, CodecError>>) -> Self {
47		Error::TrieError(error)
48	}
49}
50
51/// Decode a compact proof.
52///
53/// Takes as input a destination `db` for decoded node and `encoded`
54/// an iterator of compact encoded nodes.
55///
56/// Child trie are decoded in order of child trie root present
57/// in the top trie.
58pub fn decode_compact<'a, L, DB, I>(
59	db: &mut DB,
60	encoded: I,
61	expected_root: Option<&TrieHash<L>>,
62) -> Result<TrieHash<L>, Error<TrieHash<L>, CError<L>>>
63where
64	L: TrieConfiguration,
65	DB: HashDBT<L::Hash, trie_db::DBValue> + hash_db::HashDBRef<L::Hash, trie_db::DBValue>,
66	I: IntoIterator<Item = &'a [u8]>,
67{
68	let mut nodes_iter = encoded.into_iter();
69	let (top_root, _nb_used) = trie_db::decode_compact_from_iter::<L, _, _>(db, &mut nodes_iter)?;
70
71	// Only check root if expected root is passed as argument.
72	if let Some(expected_root) = expected_root {
73		if expected_root != &top_root {
74			return Err(Error::RootMismatch(top_root, *expected_root))
75		}
76	}
77
78	let mut child_tries = Vec::new();
79	{
80		// fetch child trie roots
81		let trie = crate::TrieDBBuilder::<L>::new(db, &top_root).build();
82
83		let mut iter = trie.iter()?;
84
85		let childtrie_roots = sp_core::storage::well_known_keys::DEFAULT_CHILD_STORAGE_KEY_PREFIX;
86		if iter.seek(childtrie_roots).is_ok() {
87			loop {
88				match iter.next() {
89					Some(Ok((key, value))) if key.starts_with(childtrie_roots) => {
90						// we expect all default child trie root to be correctly encoded.
91						// see other child trie functions.
92						let mut root = TrieHash::<L>::default();
93						// still in a proof so prevent panic
94						if root.as_mut().len() != value.as_slice().len() {
95							return Err(Error::InvalidChildRoot(key, value))
96						}
97						root.as_mut().copy_from_slice(value.as_ref());
98						child_tries.push(root);
99					},
100					// allow incomplete database error: we only
101					// require access to data in the proof.
102					Some(Err(error)) => match *error {
103						trie_db::TrieError::IncompleteDatabase(..) => (),
104						e => return Err(Box::new(e).into()),
105					},
106					_ => break,
107				}
108			}
109		}
110	}
111
112	if !HashDBT::<L::Hash, _>::contains(db, &top_root, EMPTY_PREFIX) {
113		return Err(Error::IncompleteProof)
114	}
115
116	let mut previous_extracted_child_trie = None;
117	let mut nodes_iter = nodes_iter.peekable();
118	for child_root in child_tries.into_iter() {
119		if previous_extracted_child_trie.is_none() && nodes_iter.peek().is_some() {
120			let (top_root, _) = trie_db::decode_compact_from_iter::<L, _, _>(db, &mut nodes_iter)?;
121			previous_extracted_child_trie = Some(top_root);
122		}
123
124		// we do not early exit on root mismatch but try the
125		// other read from proof (some child root may be
126		// in proof without actual child content).
127		if Some(child_root) == previous_extracted_child_trie {
128			previous_extracted_child_trie = None;
129		}
130	}
131
132	if let Some(child_root) = previous_extracted_child_trie {
133		// A child root was read from proof but is not present
134		// in top trie.
135		return Err(Error::ExtraneousChildProof(child_root))
136	}
137
138	if nodes_iter.next().is_some() {
139		return Err(Error::ExtraneousChildNode)
140	}
141
142	Ok(top_root)
143}
144
145/// Encode a compact proof.
146///
147/// Takes as input all full encoded node from the proof, and
148/// the root.
149/// Then parse all child trie root and compress main trie content first
150/// then all child trie contents.
151/// Child trie are ordered by the order of their roots in the top trie.
152pub fn encode_compact<L, DB>(
153	partial_db: &DB,
154	root: &TrieHash<L>,
155) -> Result<CompactProof, Error<TrieHash<L>, CError<L>>>
156where
157	L: TrieConfiguration,
158	DB: HashDBT<L::Hash, trie_db::DBValue> + hash_db::HashDBRef<L::Hash, trie_db::DBValue>,
159{
160	let mut child_tries = Vec::new();
161	let mut compact_proof = {
162		let trie = crate::TrieDBBuilder::<L>::new(partial_db, root).build();
163
164		let mut iter = trie.iter()?;
165
166		let childtrie_roots = sp_core::storage::well_known_keys::DEFAULT_CHILD_STORAGE_KEY_PREFIX;
167		if iter.seek(childtrie_roots).is_ok() {
168			loop {
169				match iter.next() {
170					Some(Ok((key, value))) if key.starts_with(childtrie_roots) => {
171						let mut root = TrieHash::<L>::default();
172						if root.as_mut().len() != value.as_slice().len() {
173							// some child trie root in top trie are not an encoded hash.
174							return Err(Error::InvalidChildRoot(key.to_vec(), value.to_vec()))
175						}
176						root.as_mut().copy_from_slice(value.as_ref());
177						child_tries.push(root);
178					},
179					// allow incomplete database error: we only
180					// require access to data in the proof.
181					Some(Err(error)) => match *error {
182						trie_db::TrieError::IncompleteDatabase(..) => (),
183						e => return Err(Box::new(e).into()),
184					},
185					_ => break,
186				}
187			}
188		}
189
190		trie_db::encode_compact::<L>(&trie)?
191	};
192
193	for child_root in child_tries {
194		if !HashDBT::<L::Hash, _>::contains(partial_db, &child_root, EMPTY_PREFIX) {
195			// child proof are allowed to be missing (unused root can be included
196			// due to trie structure modification).
197			continue
198		}
199
200		let trie = crate::TrieDBBuilder::<L>::new(partial_db, &child_root).build();
201		let child_proof = trie_db::encode_compact::<L>(&trie)?;
202
203		compact_proof.extend(child_proof);
204	}
205
206	Ok(CompactProof { encoded_nodes: compact_proof })
207}