cln-grpc: Add midstate between configuration and replying to init

This is a bit special, in that it allows us to configure the plugin,
but then still abort startup by sending `init` with the `disable` flag
set.
This commit is contained in:
Christian Decker 2022-04-08 05:41:12 +02:00 committed by Rusty Russell
parent 9826402c99
commit 8717c4e5a2
4 changed files with 143 additions and 60 deletions

View file

@ -34,28 +34,29 @@ async fn main() -> Result<()> {
options::Value::Integer(-1), options::Value::Integer(-1),
"Which port should the grpc plugin listen for incoming connections?", "Which port should the grpc plugin listen for incoming connections?",
)) ))
.start() .configure()
.await?; .await?;
let bind_port = match plugin.option("grpc-port") { let bind_port = match plugin.option("grpc-port") {
Some(options::Value::Integer(-1)) => { Some(options::Value::Integer(-1)) => {
log::info!("`grpc-port` option is not configured, exiting."); log::info!("`grpc-port` option is not configured, exiting.");
None plugin.disable("`grpc-port` option is not configured.").await?;
return Ok(());
} }
Some(options::Value::Integer(i)) => Some(i), Some(options::Value::Integer(i)) => i,
None => return Err(anyhow!("Missing 'grpc-port' option")), None => return Err(anyhow!("Missing 'grpc-port' option")),
Some(o) => return Err(anyhow!("grpc-port is not a valid integer: {:?}", o)), Some(o) => return Err(anyhow!("grpc-port is not a valid integer: {:?}", o)),
}; };
if let Some(bind_port) = bind_port { let plugin = plugin.start().await?;
let bind_addr: SocketAddr = format!("0.0.0.0:{}", bind_port).parse().unwrap();
tokio::spawn(async move { let bind_addr: SocketAddr = format!("0.0.0.0:{}", bind_port).parse().unwrap();
if let Err(e) = run_interface(bind_addr, state).await {
warn!("Error running the grpc interface: {}", e); tokio::spawn(async move {
} if let Err(e) = run_interface(bind_addr, state).await {
}); warn!("Error running the grpc interface: {}", e);
} }
});
plugin.join().await plugin.join().await
} }

View file

@ -139,12 +139,7 @@ where
self self
} }
/// Build and start the plugin loop. This performs the handshake pub async fn configure(mut self) -> Result<ConfiguredPlugin<S, I, O>, anyhow::Error> {
/// and spawns a new task that accepts incoming messages from
/// Core Lightning and dispatches them to the handlers. It only
/// returns after completing the handshake to ensure that the
/// configuration and initialization was successfull.
pub async fn start(mut self) -> Result<Plugin<S>, anyhow::Error> {
let mut input = FramedRead::new(self.input.take().unwrap(), JsonRpcCodec::default()); let mut input = FramedRead::new(self.input.take().unwrap(), JsonRpcCodec::default());
// Sadly we need to wrap the output in a mutex in order to // Sadly we need to wrap the output in a mutex in order to
@ -177,28 +172,25 @@ where
.await? .await?
} }
Some(o) => return Err(anyhow!("Got unexpected message {:?} from lightningd", o)), Some(o) => return Err(anyhow!("Got unexpected message {:?} from lightningd", o)),
None => return Err(anyhow!("Lost connection to lightning expecting getmanifest")), None => {
return Err(anyhow!(
"Lost connection to lightning expecting getmanifest"
))
}
}; };
let init_id = match input.next().await {
match input.next().await {
Some(Ok(messages::JsonRpc::Request(id, messages::Request::Init(m)))) => { Some(Ok(messages::JsonRpc::Request(id, messages::Request::Init(m)))) => {
output self.handle_init(m)?;
.lock() id
.await
.send(json!({
"jsonrpc": "2.0",
"result": self.handle_init(m)?,
"id": id,
}))
.await?
} }
Some(o) => return Err(anyhow!("Got unexpected message {:?} from lightningd", o)), Some(o) => return Err(anyhow!("Got unexpected message {:?} from lightningd", o)),
None => { None => {
// If we are being called with --help we will get // If we are being called with --help we will get
// disconnected here. That's expected, so don't // disconnected here. That's expected, so don't
// complain about it. // complain about it.
} 0
}
}; };
let (wait_handle, _) = tokio::sync::broadcast::channel(1); let (wait_handle, _) = tokio::sync::broadcast::channel(1);
@ -219,23 +211,33 @@ where
HashMap::from_iter(self.rpcmethods.drain().map(|(k, v)| (k, v.callback))); HashMap::from_iter(self.rpcmethods.drain().map(|(k, v)| (k, v.callback)));
rpcmethods.extend(self.hooks.drain().map(|(k, v)| (k, v.callback))); rpcmethods.extend(self.hooks.drain().map(|(k, v)| (k, v.callback)));
// Start the PluginDriver to handle plugin IO // Leave the `init` reply pending, so we can disable based on
tokio::spawn( // the options if required.
PluginDriver { Ok(ConfiguredPlugin {
// The JSON-RPC `id` field so we can reply correctly.
init_id,
input,
output,
receiver,
driver: PluginDriver {
plugin: plugin.clone(), plugin: plugin.clone(),
rpcmethods, rpcmethods,
hooks: HashMap::new(), hooks: HashMap::new(),
subscriptions: HashMap::from_iter( subscriptions: HashMap::from_iter(
self.subscriptions.drain().map(|(k, v)| (k, v.callback)), self.subscriptions.drain().map(|(k, v)| (k, v.callback)),
), ),
} },
.run(receiver, input, output), plugin,
// TODO Use the broadcast to distribute any error that we })
// might receive here to anyone listening. (Shutdown }
// signal)
);
Ok(plugin) /// Build and start the plugin loop. This performs the handshake
/// and spawns a new task that accepts incoming messages from
/// Core Lightning and dispatches them to the handlers. It only
/// returns after completing the handshake to ensure that the
/// configuration and initialization was successfull.
pub async fn start(self) -> Result<Plugin<S>, anyhow::Error> {
self.configure().await?.start().await
} }
fn handle_get_manifest( fn handle_get_manifest(
@ -322,6 +324,22 @@ where
callback: AsyncCallback<S>, callback: AsyncCallback<S>,
} }
/// A plugin that has registered with the lightning daemon, and gotten
/// its options filled, however has not yet acknowledged the `init`
/// message. This is a mid-state allowing a plugin to disable itself,
/// based on the options.
pub struct ConfiguredPlugin<S, I, O>
where
S: Clone + Send,
{
init_id: usize,
input: FramedRead<I, JsonRpcCodec>,
output: Arc<Mutex<FramedWrite<O, JsonCodec>>>,
plugin: Plugin<S>,
driver: PluginDriver<S>,
receiver: tokio::sync::mpsc::Receiver<serde_json::Value>,
}
#[derive(Clone)] #[derive(Clone)]
pub struct Plugin<S> pub struct Plugin<S>
where where
@ -350,6 +368,67 @@ where
} }
} }
impl<S, I, O> ConfiguredPlugin<S, I, O>
where
S: Send + Clone + Sync + 'static,
I: AsyncRead + Send + Unpin + 'static,
O: Send + AsyncWrite + Unpin + 'static,
{
#[allow(unused_mut)]
pub async fn start(mut self) -> Result<Plugin<S>, anyhow::Error> {
let driver = self.driver;
let plugin = self.plugin;
let output = self.output;
let input = self.input;
let receiver = self.receiver; // Now reply to the `init` message that `configure` left pending.
output
.lock()
.await
.send(json!(
{
"jsonrpc": "2.0",
"id": self.init_id,
"result": crate::messages::InitResponse{disable: None}
}
))
.await
.context("sending init response")?;
// Start the PluginDriver to handle plugin IO
tokio::spawn(
driver.run(receiver, input, output),
// TODO Use the broadcast to distribute any error that we
// might receive here to anyone listening. (Shutdown
// signal)
);
Ok(plugin)
}
/// Abort the plugin startup. Communicate that we're about to exit
/// voluntarily, and this is not an error.
#[allow(unused_mut)]
pub async fn disable(mut self, reason: &str) -> Result<(), anyhow::Error> {
self.output
.lock()
.await
.send(json!(
{
"jsonrpc": "2.0",
"id": self.init_id,
"result": crate::messages::InitResponse{
disable: Some(reason.to_string())
}
}
))
.await
.context("sending init response")?;
Ok(())
}
pub fn option(&self, name: &str) -> Option<options::Value> {
self.plugin.option(name)
}
}
/// The [PluginDriver] is used to run the IO loop, reading messages /// The [PluginDriver] is used to run the IO loop, reading messages
/// from the Lightning daemon, dispatching calls and notifications to /// from the Lightning daemon, dispatching calls and notifications to
/// the plugin, and returning responses to the the daemon. We also use /// the plugin, and returning responses to the the daemon. We also use
@ -384,21 +463,21 @@ where
O: Send + AsyncWriteExt + Unpin, O: Send + AsyncWriteExt + Unpin,
{ {
loop { loop {
// If we encounter any error reading or writing from/to // If we encounter any error reading or writing from/to
// the master we hand them up, so we can return control to // the master we hand them up, so we can return control to
// the user-code, which may require some cleanups or // the user-code, which may require some cleanups or
// similar. // similar.
tokio::select! { tokio::select! {
e = self.dispatch_one(&mut input, &self.plugin) => { e = self.dispatch_one(&mut input, &self.plugin) => {
//Hand any error up. //Hand any error up.
e?; e?;
}, },
v = receiver.recv() => { v = receiver.recv() => {
output.lock().await.send( output.lock().await.send(
v.context("internal communication error")? v.context("internal communication error")?
).await?; ).await?;
}, },
} }
} }
} }

View file

@ -132,6 +132,9 @@ pub(crate) struct GetManifestResponse {
} }
#[derive(Serialize, Default, Debug)] #[derive(Serialize, Default, Debug)]
pub struct InitResponse {} pub struct InitResponse {
#[serde(skip_serializing_if = "Option::is_none")]
pub disable: Option<String>,
}
pub trait Response: Serialize + Debug {} pub trait Response: Serialize + Debug {}

View file

@ -176,8 +176,8 @@ def test_grpc_no_auto_start(node_factory):
"plugin": str(bin_path), "plugin": str(bin_path),
}) })
l1.daemon.logsearch_start = 0 wait_for(lambda: [p for p in l1.rpc.plugin('list')['plugins'] if 'cln-grpc' in p['name']] == [])
assert l1.daemon.is_in_log(r'plugin-cln-grpc: Killing plugin: exited during normal operation') assert l1.daemon.is_in_log(r'plugin-cln-grpc: Killing plugin: disabled itself at init')
def test_grpc_wrong_auth(node_factory): def test_grpc_wrong_auth(node_factory):