lib.rs 8.41 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
17
18
19
// 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/>.

//! Polkadot CLI library.

#![warn(missing_docs)]
Arkadiy Paronyan's avatar
Arkadiy Paronyan committed
20
#![warn(unused_extern_crates)]
Gav's avatar
Gav committed
21

Gav Wood's avatar
Gav Wood committed
22
mod chain_spec;
23
24
#[cfg(feature = "browser")]
mod browser;
Gav Wood's avatar
Gav Wood committed
25

Arkadiy Paronyan's avatar
Arkadiy Paronyan committed
26
use chain_spec::ChainSpec;
27
use futures::{Future, future::{select, Either}, channel::oneshot};
28
#[cfg(feature = "cli")]
29
use tokio::runtime::Runtime;
30
use log::info;
31
use structopt::StructOpt;
32
use sp_api::ConstructRuntimeApi;
33
34

pub use service::{
35
	AbstractService, CustomConfiguration, ProvideRuntimeApi, CoreApi, ParachainHost, IsKusama,
36
	Block, self, RuntimeApiCollection, TFullClient
37
38
};

39
40
pub use sc_cli::{VersionInfo, IntoExit, NoCustom, SharedParams};
pub use sc_cli::{display_role, error};
Gavin Wood's avatar
Gavin Wood committed
41

42
43
/// Load the `ChainSpec` for the given `id`.
pub fn load_spec(id: &str) -> Result<Option<service::ChainSpec>, String> {
Arkadiy Paronyan's avatar
Arkadiy Paronyan committed
44
45
46
47
	Ok(match ChainSpec::from(id) {
		Some(spec) => Some(spec.load()?),
		None => None,
	})
48
49
}

50
51
#[derive(Debug, StructOpt, Clone)]
enum PolkadotSubCommands {
52
	#[structopt(name = "validation-worker", setting = structopt::clap::AppSettings::Hidden)]
Gavin Wood's avatar
Gavin Wood committed
53
	ValidationWorker(ValidationWorkerCommand),
54
55
}

56
57
impl sc_cli::GetSharedParams for PolkadotSubCommands {
	fn shared_params(&self) -> Option<&sc_cli::SharedParams> { None }
58
59
60
}

#[derive(Debug, StructOpt, Clone)]
Gavin Wood's avatar
Gavin Wood committed
61
struct ValidationWorkerCommand {
62
63
64
65
	#[structopt()]
	pub mem_id: String,
}

Gavin Wood's avatar
Gavin Wood committed
66
67
68
69
70
71
#[derive(Debug, StructOpt, Clone)]
struct PolkadotSubParams {
	#[structopt(long = "enable-authority-discovery")]
	pub authority_discovery_enabled: bool,
}

72
/// Parses polkadot specific CLI arguments and run the service.
73
74
75
#[cfg(feature = "cli")]
pub fn run<E: IntoExit>(exit: E, version: sc_cli::VersionInfo) -> error::Result<()> {
	let cmd = sc_cli::parse_and_prepare::<PolkadotSubCommands, PolkadotSubParams, _>(
Gavin Wood's avatar
Gavin Wood committed
76
77
78
		&version,
		"parity-polkadot",
		std::env::args(),
79
	);
80

81
82
	// Preload spec to select native runtime
	let spec = match cmd.shared_params() {
83
		Some(params) => Some(sc_cli::load_spec(params, &load_spec)?),
84
85
86
		None => None,
	};
	if spec.as_ref().map_or(false, |c| c.is_kusama()) {
87
88
89
90
91
		execute_cmd_with_runtime::<
			service::kusama_runtime::RuntimeApi,
			service::KusamaExecutor,
			service::kusama_runtime::UncheckedExtrinsic,
			_
92
		>(exit, &version, cmd, spec)
93
94
95
96
97
98
	} else {
		execute_cmd_with_runtime::<
			service::polkadot_runtime::RuntimeApi,
			service::PolkadotExecutor,
			service::polkadot_runtime::UncheckedExtrinsic,
			_
99
		>(exit, &version, cmd, spec)
100
101
102
	}
}

103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
#[cfg(feature = "cli")]
use sp_core::Blake2Hasher;

#[cfg(feature = "cli")]
// We can't simply use `service::TLightClient` due to a
// Rust bug: https://github.com/rust-lang/rust/issues/43580
type TLightClient<Runtime, Dispatch> = sc_client::Client<
	sc_client::light::backend::Backend<sc_client_db::light::LightStorage<Block>, Blake2Hasher>,
	sc_client::light::call_executor::GenesisCallExecutor<
		sc_client::light::backend::Backend<sc_client_db::light::LightStorage<Block>, Blake2Hasher>,
		sc_client::LocalCallExecutor<
			sc_client::light::backend::Backend<sc_client_db::light::LightStorage<Block>, Blake2Hasher>,
			sc_executor::NativeExecutor<Dispatch>
		>
	>,
	Block,
	Runtime
>;

122
/// Execute the given `cmd` with the given runtime.
123
#[cfg(feature = "cli")]
124
125
fn execute_cmd_with_runtime<R, D, E, X>(
	exit: X,
126
127
	version: &sc_cli::VersionInfo,
	cmd: sc_cli::ParseAndPrepare<PolkadotSubCommands, PolkadotSubParams>,
128
	spec: Option<service::ChainSpec>,
129
130
) -> error::Result<()>
where
131
	R: ConstructRuntimeApi<Block, service::TFullClient<Block, R, D>>
132
		+ Send + Sync + 'static,
133
134
135
136
	<R as ConstructRuntimeApi<Block, service::TFullClient<Block, R, D>>>::RuntimeApi:
		RuntimeApiCollection<E, StateBackend = sc_client_api::StateBackendFor<service::TFullBackend<Block>, Block>>,
	<R as ConstructRuntimeApi<Block, service::TLightClient<Block, R, D>>>::RuntimeApi:
		RuntimeApiCollection<E, StateBackend = sc_client_api::StateBackendFor<service::TLightBackend<Block>, Block>>,
137
138
139
	E: service::Codec + Send + Sync + 'static,
	D: service::NativeExecutionDispatch + 'static,
	X: IntoExit,
140
141
142
143
144
145
146
147
	// Rust bug: https://github.com/rust-lang/rust/issues/24159
	<<R as ConstructRuntimeApi<Block, TFullClient<Block, R, D>>>::RuntimeApi as sp_api::ApiExt<Block>>::StateBackend:
		sp_api::StateBackend<Blake2Hasher>,
	// Rust bug: https://github.com/rust-lang/rust/issues/43580
	R: ConstructRuntimeApi<
		Block,
		TLightClient<R, D>
	>,
148
{
149
150
151
	let is_kusama = spec.as_ref().map_or(false, |s| s.is_kusama());
	// Use preloaded spec
	let load_spec = |_: &str| Ok(spec);
152
	match cmd {
153
		sc_cli::ParseAndPrepare::Run(cmd) => cmd.run(load_spec, exit,
154
155
156
			|exit, _cli_args, custom_args, mut config| {
				info!("{}", version.name);
				info!("  version {}", config.full_version());
157
				info!("  by {}, 2017-2020", version.author);
Gavin Wood's avatar
Gavin Wood committed
158
159
				info!("Chain specification: {}", config.chain_spec.name());
				info!("Native runtime: {}", D::native_version().runtime_version);
160
				if is_kusama {
161
162
163
164
165
166
167
168
169
170
171
					info!("----------------------------");
					info!("This chain is not in any way");
					info!("      endorsed by the       ");
					info!("     KUSAMA FOUNDATION      ");
					info!("----------------------------");
				}
				info!("Node name: {}", config.name);
				info!("Roles: {}", display_role(&config));
				config.custom = service::CustomConfiguration::default();
				config.custom.authority_discovery_enabled = custom_args.authority_discovery_enabled;
				let runtime = Runtime::new().map_err(|e| format!("{:?}", e))?;
172
				config.tasks_executor = {
173
174
					let runtime_handle = runtime.handle().clone();
					Some(Box::new(move |fut| { runtime_handle.spawn(fut); }))
175
				};
176
177
178
179
180
181
182
				match config.roles {
					service::Roles::LIGHT =>
						run_until_exit(
							runtime,
							service::new_light::<R, D, E>(config).map_err(|e| format!("{:?}", e))?,
							exit.into_exit(),
						),
André Silva's avatar
André Silva committed
183
					_ =>
Gavin Wood's avatar
Gavin Wood committed
184
185
186
187
						run_until_exit(
							runtime,
							service::new_full::<R, D, E>(config).map_err(|e| format!("{:?}", e))?,
							exit.into_exit(),
André Silva's avatar
André Silva committed
188
						),
189
190
				}.map_err(|e| format!("{:?}", e))
			}),
191
192
			sc_cli::ParseAndPrepare::BuildSpec(cmd) => cmd.run::<NoCustom, _, _, _>(load_spec),
			sc_cli::ParseAndPrepare::ExportBlocks(cmd) => cmd.run_with_builder::<_, _, _, _, _, _, _>(|config|
193
				Ok(service::new_chain_ops::<R, D, E>(config)?), load_spec, exit),
194
			sc_cli::ParseAndPrepare::ImportBlocks(cmd) => cmd.run_with_builder::<_, _, _, _, _, _, _>(|config|
195
				Ok(service::new_chain_ops::<R, D, E>(config)?), load_spec, exit),
196
			sc_cli::ParseAndPrepare::CheckBlock(cmd) => cmd.run_with_builder::<_, _, _, _, _, _, _>(|config|
197
				Ok(service::new_chain_ops::<R, D, E>(config)?), load_spec, exit),
198
199
			sc_cli::ParseAndPrepare::PurgeChain(cmd) => cmd.run(load_spec),
			sc_cli::ParseAndPrepare::RevertChain(cmd) => cmd.run_with_builder::<_, _, _, _, _, _>(|config|
200
				Ok(service::new_chain_ops::<R, D, E>(config)?), load_spec),
201
			sc_cli::ParseAndPrepare::CustomCommand(PolkadotSubCommands::ValidationWorker(args)) => {
202
203
204
205
206
207
208
				if cfg!(feature = "browser") {
					Err(error::Error::Input("Cannot run validation worker in browser".into()))
				} else {
					#[cfg(not(feature = "browser"))]
					service::run_validation_worker(&args.mem_id)?;
					Ok(())
				}
209
			}
210
	}
211
}
212

213
/// Run the given `service` using the `runtime` until it exits or `e` fires.
214
#[cfg(feature = "cli")]
215
pub fn run_until_exit(
André Silva's avatar
André Silva committed
216
	mut runtime: Runtime,
217
218
219
	service: impl AbstractService,
	e: impl Future<Output = ()> + Send + Unpin + 'static,
) -> error::Result<()> {
220
	let (exit_send, exit) = oneshot::channel();
Arkadiy Paronyan's avatar
Arkadiy Paronyan committed
221

222
	let informant = sc_cli::informant::build(&service);
223

224
	let handle = runtime.spawn(select(exit, informant));
225

André Silva's avatar
André Silva committed
226
227
228
229
	// we eagerly drop the service so that the internal exit future is fired,
	// but we need to keep holding a reference to the global telemetry guard
	let _telemetry = service.telemetry();

230
	let service_res = runtime.block_on(select(service, e));
231

232
233
	let _ = exit_send.send(());

234
	runtime.block_on(handle);
André Silva's avatar
André Silva committed
235

236
237
238
239
	match service_res {
		Either::Left((res, _)) => res.map_err(error::Error::Service),
		Either::Right((_, _)) => Ok(())
	}
Gav's avatar
Gav committed
240
}