Skip to content

Commit d47cd62

Browse files
committed
Squash ibc-demo
1 parent 1ae7a90 commit d47cd62

File tree

10 files changed

+151
-0
lines changed

10 files changed

+151
-0
lines changed

Cargo.lock

+25
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

core/executor/src/host_interface.rs

+5
Original file line numberDiff line numberDiff line change
@@ -132,6 +132,11 @@ impl_wasm_host_interface! {
132132
context.sandbox().memory_teardown(memory_idx)
133133
}
134134

135+
ext_run_wasm() {
136+
runtime_io::run_wasm();
137+
Ok(())
138+
}
139+
135140
ext_print_utf8(utf8_data: Pointer<u8>, utf8_len: WordSize) {
136141
if let Ok(utf8) = context.read_memory(utf8_data, utf8_len) {
137142
runtime_io::print_utf8(&utf8);

core/rpc/api/src/state/mod.rs

+4
Original file line numberDiff line numberDiff line change
@@ -99,6 +99,10 @@ pub trait StateApi<Hash> {
9999
#[rpc(name = "state_getRuntimeVersion", alias("chain_getRuntimeVersion"))]
100100
fn runtime_version(&self, hash: Option<Hash>) -> FutureResult<RuntimeVersion>;
101101

102+
/// Reads storage value at a given block + key, returning read proof.
103+
#[rpc(name = "state_getReadProof")]
104+
fn read_proof(&self, id: Option<Hash>, key: StorageKey) -> FutureResult<Vec<Vec<u8>>>;
105+
102106
/// Query historical storage entries (by key) starting from a block given as the second parameter.
103107
///
104108
/// NOTE This first returned result contains the initial state of storage for all keys.

core/rpc/src/state/mod.rs

+7
Original file line numberDiff line numberDiff line change
@@ -136,6 +136,9 @@ pub trait StateBackend<B, E, Block: BlockT, RA>: Send + Sync + 'static
136136
/// Get the runtime version.
137137
fn runtime_version(&self, block: Option<Block::Hash>) -> FutureResult<RuntimeVersion>;
138138

139+
/// Reads storage value at a given block + key, returning read proof.
140+
fn read_proof(&self, block: Option<Block::Hash>, key: StorageKey) -> FutureResult<Vec<Vec<u8>>>;
141+
139142
/// Query historical storage entries (by key) starting from a block given as the second parameter.
140143
///
141144
/// NOTE This first returned result contains the initial state of storage for all keys.
@@ -323,6 +326,10 @@ impl<B, E, Block, RA> StateApi<Block::Hash> for State<B, E, Block, RA>
323326
self.backend.runtime_version(at)
324327
}
325328

329+
fn read_proof(&self, block: Option<Block::Hash>, key: StorageKey) -> FutureResult<Vec<Vec<u8>>> {
330+
self.backend.read_proof(block, key)
331+
}
332+
326333
fn subscribe_runtime_version(&self, meta: Self::Metadata, subscriber: Subscriber<RuntimeVersion>) {
327334
self.backend.subscribe_runtime_version(meta, subscriber);
328335
}

core/rpc/src/state/state_full.rs

+11
Original file line numberDiff line numberDiff line change
@@ -337,6 +337,17 @@ impl<B, E, Block, RA> StateBackend<B, E, Block, RA> for FullState<B, E, Block, R
337337
.map_err(client_err)))
338338
}
339339

340+
fn read_proof(
341+
&self,
342+
block: Option<Block::Hash>,
343+
key: StorageKey,
344+
) -> FutureResult<Vec<Vec<u8>>> {
345+
Box::new(result(
346+
self.block_or_best(block)
347+
.and_then(|block| self.client.read_proof(&BlockId::Hash(block), &[key.0]))
348+
.map_err(client_err)))
349+
}
350+
340351
fn query_storage(
341352
&self,
342353
from: Block::Hash,

core/rpc/src/state/state_light.rs

+8
Original file line numberDiff line numberDiff line change
@@ -304,6 +304,14 @@ impl<Block, F, B, E, RA> StateBackend<B, E, Block, RA> for LightState<Block, F,
304304
).boxed().compat())
305305
}
306306

307+
fn read_proof(
308+
&self,
309+
block: Option<Block::Hash>,
310+
key: StorageKey,
311+
) -> FutureResult<Vec<Vec<u8>>> {
312+
Box::new(result(Err(client_err(ClientError::NotAvailableOnLightClient))))
313+
}
314+
307315
fn query_storage(
308316
&self,
309317
_from: Block::Hash,

core/sr-io/Cargo.toml

+5
Original file line numberDiff line numberDiff line change
@@ -18,10 +18,15 @@ tiny-keccak = { version = "1.5.0", optional = true }
1818
substrate-state-machine = { path = "../state-machine", optional = true }
1919
trie = { package = "substrate-trie", path = "../trie", optional = true }
2020
externalities = { package = "substrate-externalities", path = "../externalities", optional = true }
21+
sandbox = { package = "sr-sandbox", path = "../sr-sandbox", default-features = false }
22+
23+
[dev-dependencies]
24+
wabt = "~0.7.4"
2125

2226
[features]
2327
default = ["std"]
2428
std = [
29+
"sandbox/std",
2530
"primitives/std",
2631
"codec/std",
2732
"rstd/std",

core/sr-io/src/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -151,6 +151,7 @@ export_api! {
151151
pub(crate) trait OtherApi {
152152
/// The current relay chain identifier.
153153
fn chain_id() -> u64;
154+
fn run_wasm();
154155

155156
/// Print a number.
156157
fn print_num(val: u64);

core/sr-io/with_std.rs

+78
Original file line numberDiff line numberDiff line change
@@ -28,6 +28,74 @@ use trie::{TrieConfiguration, trie_types::Layout};
2828
use std::{collections::HashMap, convert::TryFrom};
2929

3030
use externalities::{with_externalities, set_and_run_with_externalities, ExternalitiesExt};
31+
use sandbox::{EnvironmentDefinitionBuilder, Error, HostError, Instance, ReturnValue, TypedValue};
32+
33+
// environmental!(ext: trait Externalities<Blake2Hasher>);
34+
35+
fn execute_wasm(code: &[u8], args: &[TypedValue]) -> Result<ReturnValue, HostError> {
36+
struct State {
37+
counter: u32,
38+
}
39+
fn check_read_proof(_e: &mut State, _args: &[TypedValue]) -> Result<ReturnValue, HostError> {
40+
// TODO: Add true verification here
41+
Ok(ReturnValue::Value(TypedValue::I32(1)))
42+
}
43+
44+
let mut env_builder = EnvironmentDefinitionBuilder::new();
45+
46+
let mut state = State {counter: 0};
47+
48+
env_builder.add_host_func("env", "ext_check_read_proof", check_read_proof);
49+
50+
let memory = match sandbox::Memory::new(100, Some(100)) {
51+
Ok(m) => m,
52+
Err(_) => unreachable!("
53+
Memory::new() can return Err only if parameters are borked; \
54+
We passing params here explicitly and they're correct; \
55+
Memory::new() can't return a Error qed"
56+
),
57+
};
58+
59+
env_builder.add_memory("env", "memory", memory);
60+
let mut instance = Instance::new(code, &env_builder, &mut state)?;
61+
let result = instance.invoke(b"check_read_proof", args, &mut state);
62+
63+
result.map_err(|err| {
64+
HostError
65+
})
66+
}
67+
68+
#[test]
69+
fn invoke_proof() {
70+
let code = wabt::wat2wasm(r#"
71+
(module
72+
(type $t0 (func (result i32)))
73+
(import "env" "memory" (memory $env.memory 17))
74+
(import "env" "ext_check_read_proof" (func $ext_check_read_proof (type $t0)))
75+
(func $check_read_proof (type $t0) (result i32)
76+
(local $l0 i32)
77+
call $ext_check_read_proof
78+
set_local $l0
79+
get_local $l0
80+
return)
81+
(table $__indirect_function_table 1 1 anyfunc)
82+
(global $__data_end i32 (i32.const 1048610))
83+
(global $__heap_base i32 (i32.const 1048610))
84+
(global $__rustc_debug_gdb_scripts_section__ i32 (i32.const 1048576))
85+
(export "__indirect_function_table" (table 0))
86+
(export "__data_end" (global 0))
87+
(export "__heap_base" (global 1))
88+
(export "__rustc_debug_gdb_scripts_section__" (global 2))
89+
(export "check_read_proof" (func $check_read_proof))
90+
) "#).unwrap();
91+
92+
let result = execute_wasm(
93+
&code,
94+
&[],
95+
);
96+
assert_eq!(result.unwrap(), ReturnValue::Value(TypedValue::I32(1)));
97+
}
98+
3199

32100
/// Additional bounds for `Hasher` trait for with_std.
33101
pub trait HasherBounds {}
@@ -179,6 +247,16 @@ impl OtherApi for () {
179247
).unwrap_or(0)
180248
}
181249

250+
fn run_wasm() {
251+
use std::fs;
252+
253+
// TODO: Read wasm from chain
254+
let code = fs::read("/tmp/proof.compact.wasm").expect("Wasm file not found");
255+
let args = [];
256+
let res = execute_wasm(&code, &args);
257+
println!("result: {:?}", res);
258+
}
259+
182260
fn print_num(val: u64) {
183261
println!("{}", val);
184262
}

core/sr-io/without_std.rs

+7
Original file line numberDiff line numberDiff line change
@@ -154,6 +154,7 @@ pub mod ext {
154154
/// (most importantly, storage) or perform heavy hash calculations.
155155
/// See also "ext_" functions in sr-sandbox and sr-std
156156
extern_functions! {
157+
fn ext_run_wasm();
157158
/// Host functions for printing, useful for debugging.
158159
fn ext_print_utf8(utf8_data: *const u8, utf8_len: u32);
159160
/// Print data as hex.
@@ -763,6 +764,12 @@ impl OtherApi for () {
763764
}
764765
}
765766

767+
fn run_wasm() {
768+
unsafe {
769+
ext_run_wasm.get()();
770+
}
771+
}
772+
766773
fn print_num(val: u64) {
767774
unsafe {
768775
ext_print_num.get()(val);

0 commit comments

Comments
 (0)