#![warn(missing_docs)]
use crate::{
extension::GetExtension, genesis_config_builder::HostFunctions, ChainType,
GenesisConfigBuilderRuntimeCaller as RuntimeCaller, Properties,
};
use sc_network::config::MultiaddrWithPeerId;
use sc_telemetry::TelemetryEndpoints;
use serde::{Deserialize, Serialize};
use serde_json as json;
use sp_core::{
storage::{ChildInfo, Storage, StorageChild, StorageData, StorageKey},
Bytes,
};
use sp_runtime::BuildStorage;
use std::{
borrow::Cow,
collections::{BTreeMap, VecDeque},
fs::File,
marker::PhantomData,
path::PathBuf,
};
#[derive(Serialize, Deserialize)]
#[serde(rename_all = "camelCase")]
enum GenesisBuildAction<EHF> {
Patch(json::Value),
Full(json::Value),
NamedPreset(String, PhantomData<EHF>),
}
impl<EHF> Clone for GenesisBuildAction<EHF> {
fn clone(&self) -> Self {
match self {
Self::Patch(ref p) => Self::Patch(p.clone()),
Self::Full(ref f) => Self::Full(f.clone()),
Self::NamedPreset(ref p, _) => Self::NamedPreset(p.clone(), Default::default()),
}
}
}
enum GenesisSource<EHF> {
File(PathBuf),
Binary(Cow<'static, [u8]>),
Storage(Storage),
GenesisBuilderApi(GenesisBuildAction<EHF>, Vec<u8>),
}
impl<EHF> Clone for GenesisSource<EHF> {
fn clone(&self) -> Self {
match *self {
Self::File(ref path) => Self::File(path.clone()),
Self::Binary(ref d) => Self::Binary(d.clone()),
Self::Storage(ref s) => Self::Storage(s.clone()),
Self::GenesisBuilderApi(ref s, ref c) => Self::GenesisBuilderApi(s.clone(), c.clone()),
}
}
}
impl<EHF: HostFunctions> GenesisSource<EHF> {
fn resolve(&self) -> Result<Genesis, String> {
#[derive(Serialize, Deserialize)]
struct GenesisContainer {
genesis: Genesis,
}
match self {
Self::File(path) => {
let file = File::open(path).map_err(|e| {
format!("Error opening spec file at `{}`: {}", path.display(), e)
})?;
let bytes = unsafe {
memmap2::Mmap::map(&file).map_err(|e| {
format!("Error mmaping spec file `{}`: {}", path.display(), e)
})?
};
let genesis: GenesisContainer = json::from_slice(&bytes)
.map_err(|e| format!("Error parsing spec file: {}", e))?;
Ok(genesis.genesis)
},
Self::Binary(buf) => {
let genesis: GenesisContainer = json::from_reader(buf.as_ref())
.map_err(|e| format!("Error parsing embedded file: {}", e))?;
Ok(genesis.genesis)
},
Self::Storage(storage) => Ok(Genesis::Raw(RawGenesis::from(storage.clone()))),
Self::GenesisBuilderApi(GenesisBuildAction::Full(config), code) =>
Ok(Genesis::RuntimeGenesis(RuntimeGenesisInner {
json_blob: RuntimeGenesisConfigJson::Config(config.clone()),
code: code.clone(),
})),
Self::GenesisBuilderApi(GenesisBuildAction::Patch(patch), code) =>
Ok(Genesis::RuntimeGenesis(RuntimeGenesisInner {
json_blob: RuntimeGenesisConfigJson::Patch(patch.clone()),
code: code.clone(),
})),
Self::GenesisBuilderApi(GenesisBuildAction::NamedPreset(name, _), code) => {
let patch = RuntimeCaller::<EHF>::new(&code[..]).get_named_preset(Some(name))?;
Ok(Genesis::RuntimeGenesis(RuntimeGenesisInner {
json_blob: RuntimeGenesisConfigJson::Patch(patch),
code: code.clone(),
}))
},
}
}
}
impl<E, EHF> BuildStorage for ChainSpec<E, EHF>
where
EHF: HostFunctions,
{
fn assimilate_storage(&self, storage: &mut Storage) -> Result<(), String> {
match self.genesis.resolve()? {
Genesis::Raw(RawGenesis { top: map, children_default: children_map }) => {
storage.top.extend(map.into_iter().map(|(k, v)| (k.0, v.0)));
children_map.into_iter().for_each(|(k, v)| {
let child_info = ChildInfo::new_default(k.0.as_slice());
storage
.children_default
.entry(k.0)
.or_insert_with(|| StorageChild { data: Default::default(), child_info })
.data
.extend(v.into_iter().map(|(k, v)| (k.0, v.0)));
});
},
Genesis::StateRootHash(_) =>
return Err("Genesis storage in hash format not supported".into()),
Genesis::RuntimeGenesis(RuntimeGenesisInner {
json_blob: RuntimeGenesisConfigJson::Config(config),
code,
}) => {
RuntimeCaller::<EHF>::new(&code[..])
.get_storage_for_config(config)?
.assimilate_storage(storage)?;
storage
.top
.insert(sp_core::storage::well_known_keys::CODE.to_vec(), code.clone());
},
Genesis::RuntimeGenesis(RuntimeGenesisInner {
json_blob: RuntimeGenesisConfigJson::Patch(patch),
code,
}) => {
RuntimeCaller::<EHF>::new(&code[..])
.get_storage_for_patch(patch)?
.assimilate_storage(storage)?;
storage
.top
.insert(sp_core::storage::well_known_keys::CODE.to_vec(), code.clone());
},
};
Ok(())
}
}
pub type GenesisStorage = BTreeMap<StorageKey, StorageData>;
#[derive(Serialize, Deserialize)]
#[serde(rename_all = "camelCase")]
#[serde(deny_unknown_fields)]
pub struct RawGenesis {
pub top: GenesisStorage,
pub children_default: BTreeMap<StorageKey, GenesisStorage>,
}
impl From<sp_core::storage::Storage> for RawGenesis {
fn from(value: sp_core::storage::Storage) -> Self {
Self {
top: value.top.into_iter().map(|(k, v)| (StorageKey(k), StorageData(v))).collect(),
children_default: value
.children_default
.into_iter()
.map(|(sk, child)| {
(
StorageKey(sk),
child
.data
.into_iter()
.map(|(k, v)| (StorageKey(k), StorageData(v)))
.collect(),
)
})
.collect(),
}
}
}
#[derive(Serialize, Deserialize, Debug)]
struct RuntimeGenesisInner {
#[serde(default, with = "sp_core::bytes")]
code: Vec<u8>,
#[serde(flatten)]
json_blob: RuntimeGenesisConfigJson,
}
#[derive(Serialize, Deserialize, Debug)]
#[serde(rename_all = "camelCase")]
enum RuntimeGenesisConfigJson {
Config(json::Value),
Patch(json::Value),
}
#[derive(Serialize, Deserialize)]
#[serde(rename_all = "camelCase")]
#[serde(deny_unknown_fields)]
enum Genesis {
Raw(RawGenesis),
StateRootHash(StorageData),
RuntimeGenesis(RuntimeGenesisInner),
}
#[derive(Serialize, Deserialize, Clone, Debug)]
#[serde(rename_all = "camelCase")]
struct ClientSpec<E> {
name: String,
id: String,
#[serde(default)]
chain_type: ChainType,
boot_nodes: Vec<MultiaddrWithPeerId>,
telemetry_endpoints: Option<TelemetryEndpoints>,
protocol_id: Option<String>,
#[serde(default = "Default::default", skip_serializing_if = "Option::is_none")]
fork_id: Option<String>,
properties: Option<Properties>,
#[serde(flatten)]
extensions: E,
#[serde(default, skip_serializing)]
#[allow(unused)]
consensus_engine: (),
#[serde(skip_serializing)]
#[allow(unused)]
genesis: serde::de::IgnoredAny,
#[serde(default)]
code_substitutes: BTreeMap<String, Bytes>,
}
pub type NoExtension = Option<()>;
pub struct ChainSpecBuilder<E = NoExtension, EHF = ()> {
code: Vec<u8>,
extensions: E,
name: String,
id: String,
chain_type: ChainType,
genesis_build_action: GenesisBuildAction<EHF>,
boot_nodes: Option<Vec<MultiaddrWithPeerId>>,
telemetry_endpoints: Option<TelemetryEndpoints>,
protocol_id: Option<String>,
fork_id: Option<String>,
properties: Option<Properties>,
}
impl<E, EHF> ChainSpecBuilder<E, EHF> {
pub fn new(code: &[u8], extensions: E) -> Self {
Self {
code: code.into(),
extensions,
name: "Development".to_string(),
id: "dev".to_string(),
chain_type: ChainType::Local,
genesis_build_action: GenesisBuildAction::Patch(json::json!({})),
boot_nodes: None,
telemetry_endpoints: None,
protocol_id: None,
fork_id: None,
properties: None,
}
}
pub fn with_name(mut self, name: &str) -> Self {
self.name = name.into();
self
}
pub fn with_id(mut self, id: &str) -> Self {
self.id = id.into();
self
}
pub fn with_chain_type(mut self, chain_type: ChainType) -> Self {
self.chain_type = chain_type;
self
}
pub fn with_boot_nodes(mut self, boot_nodes: Vec<MultiaddrWithPeerId>) -> Self {
self.boot_nodes = Some(boot_nodes);
self
}
pub fn with_telemetry_endpoints(mut self, telemetry_endpoints: TelemetryEndpoints) -> Self {
self.telemetry_endpoints = Some(telemetry_endpoints);
self
}
pub fn with_protocol_id(mut self, protocol_id: &str) -> Self {
self.protocol_id = Some(protocol_id.into());
self
}
pub fn with_fork_id(mut self, fork_id: &str) -> Self {
self.fork_id = Some(fork_id.into());
self
}
pub fn with_properties(mut self, properties: Properties) -> Self {
self.properties = Some(properties);
self
}
pub fn with_extensions(mut self, extensions: E) -> Self {
self.extensions = extensions;
self
}
pub fn with_code(mut self, code: &[u8]) -> Self {
self.code = code.into();
self
}
pub fn with_genesis_config_patch(mut self, patch: json::Value) -> Self {
self.genesis_build_action = GenesisBuildAction::Patch(patch);
self
}
pub fn with_genesis_config_preset_name(mut self, name: &str) -> Self {
self.genesis_build_action =
GenesisBuildAction::NamedPreset(name.to_string(), Default::default());
self
}
pub fn with_genesis_config(mut self, config: json::Value) -> Self {
self.genesis_build_action = GenesisBuildAction::Full(config);
self
}
pub fn build(self) -> ChainSpec<E, EHF> {
let client_spec = ClientSpec {
name: self.name,
id: self.id,
chain_type: self.chain_type,
boot_nodes: self.boot_nodes.unwrap_or_default(),
telemetry_endpoints: self.telemetry_endpoints,
protocol_id: self.protocol_id,
fork_id: self.fork_id,
properties: self.properties,
extensions: self.extensions,
consensus_engine: (),
genesis: Default::default(),
code_substitutes: BTreeMap::new(),
};
ChainSpec {
client_spec,
genesis: GenesisSource::GenesisBuilderApi(self.genesis_build_action, self.code.into()),
_host_functions: Default::default(),
}
}
}
pub struct ChainSpec<E = NoExtension, EHF = ()> {
client_spec: ClientSpec<E>,
genesis: GenesisSource<EHF>,
_host_functions: PhantomData<EHF>,
}
impl<E: Clone, EHF> Clone for ChainSpec<E, EHF> {
fn clone(&self) -> Self {
ChainSpec {
client_spec: self.client_spec.clone(),
genesis: self.genesis.clone(),
_host_functions: self._host_functions,
}
}
}
impl<E, EHF> ChainSpec<E, EHF> {
pub fn boot_nodes(&self) -> &[MultiaddrWithPeerId] {
&self.client_spec.boot_nodes
}
pub fn name(&self) -> &str {
&self.client_spec.name
}
pub fn id(&self) -> &str {
&self.client_spec.id
}
pub fn telemetry_endpoints(&self) -> &Option<TelemetryEndpoints> {
&self.client_spec.telemetry_endpoints
}
pub fn protocol_id(&self) -> Option<&str> {
self.client_spec.protocol_id.as_deref()
}
pub fn fork_id(&self) -> Option<&str> {
self.client_spec.fork_id.as_deref()
}
pub fn properties(&self) -> Properties {
self.client_spec.properties.as_ref().unwrap_or(&json::map::Map::new()).clone()
}
pub fn add_boot_node(&mut self, addr: MultiaddrWithPeerId) {
self.client_spec.boot_nodes.push(addr)
}
pub fn extensions(&self) -> &E {
&self.client_spec.extensions
}
pub fn extensions_mut(&mut self) -> &mut E {
&mut self.client_spec.extensions
}
fn chain_type(&self) -> ChainType {
self.client_spec.chain_type.clone()
}
pub fn builder(code: &[u8], extensions: E) -> ChainSpecBuilder<E, EHF> {
ChainSpecBuilder::new(code, extensions)
}
}
impl<E: serde::de::DeserializeOwned, EHF> ChainSpec<E, EHF> {
pub fn from_json_bytes(json: impl Into<Cow<'static, [u8]>>) -> Result<Self, String> {
let json = json.into();
let client_spec = json::from_slice(json.as_ref())
.map_err(|e| format!("Error parsing spec file: {}", e))?;
Ok(ChainSpec {
client_spec,
genesis: GenesisSource::Binary(json),
_host_functions: Default::default(),
})
}
pub fn from_json_file(path: PathBuf) -> Result<Self, String> {
let file = File::open(&path)
.map_err(|e| format!("Error opening spec file `{}`: {}", path.display(), e))?;
let bytes = unsafe {
memmap2::Mmap::map(&file)
.map_err(|e| format!("Error mmaping spec file `{}`: {}", path.display(), e))?
};
let client_spec =
json::from_slice(&bytes).map_err(|e| format!("Error parsing spec file: {}", e))?;
Ok(ChainSpec {
client_spec,
genesis: GenesisSource::File(path),
_host_functions: Default::default(),
})
}
}
#[derive(Serialize, Deserialize)]
struct ChainSpecJsonContainer<E> {
#[serde(flatten)]
client_spec: ClientSpec<E>,
genesis: Genesis,
}
impl<E: serde::Serialize + Clone + 'static, EHF> ChainSpec<E, EHF>
where
EHF: HostFunctions,
{
fn json_container(&self, raw: bool) -> Result<ChainSpecJsonContainer<E>, String> {
let raw_genesis = match (raw, self.genesis.resolve()?) {
(
true,
Genesis::RuntimeGenesis(RuntimeGenesisInner {
json_blob: RuntimeGenesisConfigJson::Config(config),
code,
}),
) => {
let mut storage =
RuntimeCaller::<EHF>::new(&code[..]).get_storage_for_config(config)?;
storage.top.insert(sp_core::storage::well_known_keys::CODE.to_vec(), code);
RawGenesis::from(storage)
},
(
true,
Genesis::RuntimeGenesis(RuntimeGenesisInner {
json_blob: RuntimeGenesisConfigJson::Patch(patch),
code,
}),
) => {
let mut storage =
RuntimeCaller::<EHF>::new(&code[..]).get_storage_for_patch(patch)?;
storage.top.insert(sp_core::storage::well_known_keys::CODE.to_vec(), code);
RawGenesis::from(storage)
},
(true, Genesis::Raw(raw)) => raw,
(_, genesis) =>
return Ok(ChainSpecJsonContainer { client_spec: self.client_spec.clone(), genesis }),
};
Ok(ChainSpecJsonContainer {
client_spec: self.client_spec.clone(),
genesis: Genesis::Raw(raw_genesis),
})
}
pub fn as_json(&self, raw: bool) -> Result<String, String> {
let container = self.json_container(raw)?;
json::to_string_pretty(&container).map_err(|e| format!("Error generating spec json: {}", e))
}
}
impl<E, EHF> crate::ChainSpec for ChainSpec<E, EHF>
where
E: GetExtension + serde::Serialize + Clone + Send + Sync + 'static,
EHF: HostFunctions,
{
fn boot_nodes(&self) -> &[MultiaddrWithPeerId] {
ChainSpec::boot_nodes(self)
}
fn name(&self) -> &str {
ChainSpec::name(self)
}
fn id(&self) -> &str {
ChainSpec::id(self)
}
fn chain_type(&self) -> ChainType {
ChainSpec::chain_type(self)
}
fn telemetry_endpoints(&self) -> &Option<TelemetryEndpoints> {
ChainSpec::telemetry_endpoints(self)
}
fn protocol_id(&self) -> Option<&str> {
ChainSpec::protocol_id(self)
}
fn fork_id(&self) -> Option<&str> {
ChainSpec::fork_id(self)
}
fn properties(&self) -> Properties {
ChainSpec::properties(self)
}
fn add_boot_node(&mut self, addr: MultiaddrWithPeerId) {
ChainSpec::add_boot_node(self, addr)
}
fn extensions(&self) -> &dyn GetExtension {
ChainSpec::extensions(self) as &dyn GetExtension
}
fn extensions_mut(&mut self) -> &mut dyn GetExtension {
ChainSpec::extensions_mut(self) as &mut dyn GetExtension
}
fn as_json(&self, raw: bool) -> Result<String, String> {
ChainSpec::as_json(self, raw)
}
fn as_storage_builder(&self) -> &dyn BuildStorage {
self
}
fn cloned_box(&self) -> Box<dyn crate::ChainSpec> {
Box::new(self.clone())
}
fn set_storage(&mut self, storage: Storage) {
self.genesis = GenesisSource::Storage(storage);
}
fn code_substitutes(&self) -> std::collections::BTreeMap<String, Vec<u8>> {
self.client_spec
.code_substitutes
.iter()
.map(|(h, c)| (h.clone(), c.0.clone()))
.collect()
}
}
fn json_eval_value_at_key(
doc: &json::Value,
path: &mut VecDeque<&str>,
fun: &dyn Fn(&json::Value) -> bool,
) -> bool {
let Some(key) = path.pop_front() else { return false };
if path.is_empty() {
doc.as_object().map_or(false, |o| o.get(key).map_or(false, |v| fun(v)))
} else {
doc.as_object()
.map_or(false, |o| o.get(key).map_or(false, |v| json_eval_value_at_key(v, path, fun)))
}
}
macro_rules! json_path {
[ $($x:expr),+ ] => {
VecDeque::<&str>::from([$($x),+])
};
}
fn json_contains_path(doc: &json::Value, path: &mut VecDeque<&str>) -> bool {
json_eval_value_at_key(doc, path, &|_| true)
}
pub fn update_code_in_json_chain_spec(chain_spec: &mut json::Value, code: &[u8]) -> bool {
let mut path = json_path!["genesis", "runtimeGenesis", "code"];
let mut raw_path = json_path!["genesis", "raw", "top"];
if json_contains_path(&chain_spec, &mut path) {
#[derive(Serialize)]
struct Container<'a> {
#[serde(with = "sp_core::bytes")]
code: &'a [u8],
}
let code_patch = json::json!({"genesis":{"runtimeGenesis": Container { code }}});
crate::json_patch::merge(chain_spec, code_patch);
true
} else if json_contains_path(&chain_spec, &mut raw_path) {
#[derive(Serialize)]
struct Container<'a> {
#[serde(with = "sp_core::bytes", rename = "0x3a636f6465")]
code: &'a [u8],
}
let code_patch = json::json!({"genesis":{"raw":{"top": Container { code }}}});
crate::json_patch::merge(chain_spec, code_patch);
true
} else {
false
}
}
pub fn set_code_substitute_in_json_chain_spec(
chain_spec: &mut json::Value,
code: &[u8],
block_height: u64,
) {
let substitutes = json::json!({"codeSubstitutes":{ &block_height.to_string(): sp_core::bytes::to_hex(code, false) }});
crate::json_patch::merge(chain_spec, substitutes);
}
#[cfg(test)]
mod tests {
use super::*;
use serde_json::{from_str, json, Value};
use sp_application_crypto::Ss58Codec;
use sp_core::storage::well_known_keys;
use sp_keyring::AccountKeyring;
type TestSpec = ChainSpec;
#[test]
fn should_deserialize_example_chain_spec() {
let spec1 = TestSpec::from_json_bytes(Cow::Owned(
include_bytes!("../res/chain_spec.json").to_vec(),
))
.unwrap();
let spec2 = TestSpec::from_json_file(PathBuf::from("./res/chain_spec.json")).unwrap();
assert_eq!(spec1.as_json(false), spec2.as_json(false));
assert_eq!(spec2.chain_type(), ChainType::Live)
}
#[derive(Debug, Serialize, Deserialize, Clone)]
#[serde(rename_all = "camelCase")]
struct Extension1 {
my_property: String,
}
impl crate::Extension for Extension1 {
type Forks = Option<()>;
fn get<T: 'static>(&self) -> Option<&T> {
None
}
fn get_any(&self, _: std::any::TypeId) -> &dyn std::any::Any {
self
}
fn get_any_mut(&mut self, _: std::any::TypeId) -> &mut dyn std::any::Any {
self
}
}
type TestSpec2 = ChainSpec<Extension1>;
#[test]
fn should_deserialize_chain_spec_with_extensions() {
let spec = TestSpec2::from_json_bytes(Cow::Owned(
include_bytes!("../res/chain_spec2.json").to_vec(),
))
.unwrap();
assert_eq!(spec.extensions().my_property, "Test Extension");
}
#[test]
fn chain_spec_raw_output_should_be_deterministic() {
let mut spec = TestSpec2::from_json_bytes(Cow::Owned(
include_bytes!("../res/chain_spec2.json").to_vec(),
))
.unwrap();
let mut storage = spec.build_storage().unwrap();
let extra_data = &[("random_key", "val"), ("r@nd0m_key", "val"), ("aaarandom_key", "val")];
storage
.top
.extend(extra_data.iter().map(|(k, v)| (k.as_bytes().to_vec(), v.as_bytes().to_vec())));
crate::ChainSpec::set_storage(&mut spec, storage);
let json = spec.as_json(true).unwrap();
for _ in 0..10 {
assert_eq!(
json,
TestSpec2::from_json_bytes(json.as_bytes().to_vec())
.unwrap()
.as_json(true)
.unwrap()
);
}
}
#[test]
fn test_json_eval_value_at_key() {
let doc = json!({"a":{"b1":"20","b":{"c":{"d":"10"}}}});
assert!(json_eval_value_at_key(&doc, &mut json_path!["a", "b1"], &|v| { *v == "20" }));
assert!(json_eval_value_at_key(&doc, &mut json_path!["a", "b", "c", "d"], &|v| {
*v == "10"
}));
assert!(!json_eval_value_at_key(&doc, &mut json_path!["a", "c", "d"], &|_| { true }));
assert!(!json_eval_value_at_key(&doc, &mut json_path!["d"], &|_| { true }));
assert!(json_contains_path(&doc, &mut json_path!["a", "b1"]));
assert!(json_contains_path(&doc, &mut json_path!["a", "b"]));
assert!(json_contains_path(&doc, &mut json_path!["a", "b", "c"]));
assert!(json_contains_path(&doc, &mut json_path!["a", "b", "c", "d"]));
assert!(!json_contains_path(&doc, &mut json_path!["a", "b", "c", "d", "e"]));
assert!(!json_contains_path(&doc, &mut json_path!["a", "b", "b1"]));
assert!(!json_contains_path(&doc, &mut json_path!["d"]));
}
fn zeroize_code_key_in_json(encoded: bool, json: &str) -> Value {
let mut json = from_str::<Value>(json).unwrap();
let (zeroing_patch, mut path) = if encoded {
(
json!({"genesis":{"raw":{"top":{"0x3a636f6465":"0x0"}}}}),
json_path!["genesis", "raw", "top", "0x3a636f6465"],
)
} else {
(
json!({"genesis":{"runtimeGenesis":{"code":"0x0"}}}),
json_path!["genesis", "runtimeGenesis", "code"],
)
};
assert!(json_contains_path(&json, &mut path));
crate::json_patch::merge(&mut json, zeroing_patch);
json
}
#[docify::export]
#[test]
fn build_chain_spec_with_patch_works() {
let output = ChainSpec::<()>::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config_patch(json!({
"babe": {
"epochConfig": {
"c": [
7,
10
],
"allowed_slots": "PrimaryAndSecondaryPlainSlots"
}
},
"substrateTest": {
"authorities": [
AccountKeyring::Ferdie.public().to_ss58check(),
AccountKeyring::Alice.public().to_ss58check()
],
}
}))
.build();
let raw_chain_spec = output.as_json(true);
assert!(raw_chain_spec.is_ok());
}
#[test]
fn generate_chain_spec_with_named_preset_works() {
sp_tracing::try_init_simple();
let output: ChainSpec<()> = ChainSpec::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config_preset_name("staging")
.build();
let actual = output.as_json(false).unwrap();
let expected =
from_str::<Value>(include_str!("../res/substrate_test_runtime_from_named_preset.json"))
.unwrap();
let actual = zeroize_code_key_in_json(false, actual.as_str());
assert_eq!(actual, expected);
}
#[test]
fn generate_chain_spec_with_patch_works() {
let output = ChainSpec::<()>::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config_patch(json!({
"babe": {
"epochConfig": {
"c": [
7,
10
],
"allowed_slots": "PrimaryAndSecondaryPlainSlots"
}
},
"substrateTest": {
"authorities": [
AccountKeyring::Ferdie.public().to_ss58check(),
AccountKeyring::Alice.public().to_ss58check()
],
}
}))
.build();
let actual = output.as_json(false).unwrap();
let actual_raw = output.as_json(true).unwrap();
let expected =
from_str::<Value>(include_str!("../res/substrate_test_runtime_from_patch.json"))
.unwrap();
let expected_raw =
from_str::<Value>(include_str!("../res/substrate_test_runtime_from_patch_raw.json"))
.unwrap();
let actual = zeroize_code_key_in_json(false, actual.as_str());
let actual_raw = zeroize_code_key_in_json(true, actual_raw.as_str());
assert_eq!(actual, expected);
assert_eq!(actual_raw, expected_raw);
}
#[test]
fn generate_chain_spec_with_full_config_works() {
let j = include_str!("../../../test-utils/runtime/res/default_genesis_config.json");
let output = ChainSpec::<()>::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config(from_str(j).unwrap())
.build();
let actual = output.as_json(false).unwrap();
let actual_raw = output.as_json(true).unwrap();
let expected =
from_str::<Value>(include_str!("../res/substrate_test_runtime_from_config.json"))
.unwrap();
let expected_raw =
from_str::<Value>(include_str!("../res/substrate_test_runtime_from_config_raw.json"))
.unwrap();
let actual = zeroize_code_key_in_json(false, actual.as_str());
let actual_raw = zeroize_code_key_in_json(true, actual_raw.as_str());
assert_eq!(actual, expected);
assert_eq!(actual_raw, expected_raw);
}
#[test]
fn chain_spec_as_json_fails_with_invalid_config() {
let invalid_genesis_config = from_str::<Value>(include_str!(
"../../../test-utils/runtime/res/default_genesis_config_invalid_2.json"
))
.unwrap();
let output = ChainSpec::<()>::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config(invalid_genesis_config.clone())
.build();
let result = output.as_json(true).unwrap_err();
let mut result = result.lines();
let result_header = result.next().unwrap();
let result_body = result.collect::<Vec<&str>>().join("\n");
let result_body: Value = serde_json::from_str(&result_body).unwrap();
let re = regex::Regex::new(concat!(
r"^Invalid JSON blob: unknown field `babex`, expected one of `system`, `babe`, ",
r"`substrateTest`, `balances` at line \d+ column \d+ for blob:$"
))
.unwrap();
assert_eq!(json!({"a":1,"b":2}), json!({"b":2,"a":1}));
assert!(re.is_match(result_header));
assert_eq!(invalid_genesis_config, result_body);
}
#[test]
fn chain_spec_as_json_fails_with_invalid_patch() {
let output = ChainSpec::<()>::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config_patch(json!({
"invalid_pallet": {},
"substrateTest": {
"authorities": [
AccountKeyring::Ferdie.public().to_ss58check(),
AccountKeyring::Alice.public().to_ss58check()
],
}
}))
.build();
assert!(output.as_json(true).unwrap_err().contains("Invalid JSON blob: unknown field `invalid_pallet`, expected one of `system`, `babe`, `substrateTest`, `balances`"));
}
#[test]
fn check_if_code_is_valid_for_raw_without_code() {
let spec = ChainSpec::<()>::from_json_bytes(Cow::Owned(
include_bytes!("../res/raw_no_code.json").to_vec(),
))
.unwrap();
let j = from_str::<Value>(&spec.as_json(true).unwrap()).unwrap();
assert!(json_eval_value_at_key(
&j,
&mut json_path!["genesis", "raw", "top", "0x3a636f6465"],
&|v| { *v == "0x010101" }
));
assert!(!json_contains_path(&j, &mut json_path!["code"]));
}
#[test]
fn check_code_in_assimilated_storage_for_raw_without_code() {
let spec = ChainSpec::<()>::from_json_bytes(Cow::Owned(
include_bytes!("../res/raw_no_code.json").to_vec(),
))
.unwrap();
let storage = spec.build_storage().unwrap();
assert!(storage
.top
.get(&well_known_keys::CODE.to_vec())
.map(|v| *v == vec![1, 1, 1])
.unwrap())
}
#[test]
fn update_code_works_with_runtime_genesis_config() {
let j = include_str!("../../../test-utils/runtime/res/default_genesis_config.json");
let chain_spec = ChainSpec::<()>::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config(from_str(j).unwrap())
.build();
let mut chain_spec_json = from_str::<Value>(&chain_spec.as_json(false).unwrap()).unwrap();
assert!(update_code_in_json_chain_spec(&mut chain_spec_json, &[0, 1, 2, 4, 5, 6]));
assert!(json_eval_value_at_key(
&chain_spec_json,
&mut json_path!["genesis", "runtimeGenesis", "code"],
&|v| { *v == "0x000102040506" }
));
}
#[test]
fn update_code_works_for_raw() {
let j = include_str!("../../../test-utils/runtime/res/default_genesis_config.json");
let chain_spec = ChainSpec::<()>::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config(from_str(j).unwrap())
.build();
let mut chain_spec_json = from_str::<Value>(&chain_spec.as_json(true).unwrap()).unwrap();
assert!(update_code_in_json_chain_spec(&mut chain_spec_json, &[0, 1, 2, 4, 5, 6]));
assert!(json_eval_value_at_key(
&chain_spec_json,
&mut json_path!["genesis", "raw", "top", "0x3a636f6465"],
&|v| { *v == "0x000102040506" }
));
}
#[test]
fn update_code_works_with_runtime_genesis_patch() {
let chain_spec = ChainSpec::<()>::builder(
substrate_test_runtime::wasm_binary_unwrap().into(),
Default::default(),
)
.with_name("TestName")
.with_id("test_id")
.with_chain_type(ChainType::Local)
.with_genesis_config_patch(json!({}))
.build();
let mut chain_spec_json = from_str::<Value>(&chain_spec.as_json(false).unwrap()).unwrap();
assert!(update_code_in_json_chain_spec(&mut chain_spec_json, &[0, 1, 2, 4, 5, 6]));
assert!(json_eval_value_at_key(
&chain_spec_json,
&mut json_path!["genesis", "runtimeGenesis", "code"],
&|v| { *v == "0x000102040506" }
));
}
}