mirror of
https://github.com/nushell/nushell.git
synced 2025-01-10 16:28:50 +01:00
Plugin api docs (#9452)
<!-- if this PR closes one or more issues, you can automatically link the PR with them by using one of the [*linking keywords*](https://docs.github.com/en/issues/tracking-your-work-with-issues/linking-a-pull-request-to-an-issue#linking-a-pull-request-to-an-issue-using-a-keyword), e.g. - this PR should close #xxxx - fixes #xxxx you can also mention related issues, PRs or discussions! --> # Description <!-- Thank you for improving Nushell. Please, check our [contributing guide](../CONTRIBUTING.md) and talk to the core team before making major changes. Description of your pull request goes here. **Provide examples and/or screenshots** if your changes affect the user experience. --> Added comments to support API docs for the `nu-plugin` crate. Removed a few items that I'd expect should only be used internally to Nushell from the documentation and reduced the visibility of some items that did not need to be public. # User-Facing Changes <!-- List of all changes that impact the user experience here. This helps us keep track of breaking changes. --> There should be no user facing impact. # Tests + Formatting <!-- Don't forget to add tests that cover your changes. Make sure you've run and fixed any issues with these commands: - `cargo fmt --all -- --check` to check standard code formatting (`cargo fmt --all` applies these changes) - `cargo clippy --workspace -- -D warnings -D clippy::unwrap_used -A clippy::needless_collect -A clippy::result_large_err` to check that you're using the standard code style - `cargo test --workspace` to check that all tests pass - `cargo run -- crates/nu-std/tests/run.nu` to run the tests for the standard library > **Note** > from `nushell` you can also use the `toolkit` as follows > ```bash > use toolkit.nu # or use an `env_change` hook to activate it automatically > toolkit check pr > ``` --> Standard tests run. Additionally numerous doctests were added to the `nu-plugin` crate. # After Submitting <!-- If your PR had any user-facing changes, update [the documentation](https://github.com/nushell/nushell.github.io) after the PR is merged, if necessary. This will help us keep the docs up to date. --> No changes to the website necessary.
This commit is contained in:
parent
86f12ffe61
commit
d00a040da9
@ -1,7 +1,52 @@
|
||||
#![allow(clippy::needless_doctest_main)]
|
||||
//! # Nu Plugin: Plugin library for Nushell
|
||||
//!
|
||||
//! This crate contains the interface necessary to build Nushell plugins in Rust.
|
||||
//! Additionally, it contains public, but undocumented, items used by Nushell itself
|
||||
//! to interface with Nushell plugins. This documentation focuses on the interface
|
||||
//! needed to write an independent plugin.
|
||||
//!
|
||||
//! Nushell plugins are stand-alone applications that communicate with Nushell
|
||||
//! over stdin and stdout using a standardizes serialization framework to exchange
|
||||
//! the typed data that Nushell commands utilize natively.
|
||||
//!
|
||||
//! A typical plugin application will define a struct that implements the [Plugin]
|
||||
//! trait and then, in it's main method, pass that [Plugin] to the [serve_plugin]
|
||||
//! function, which will handle all of the input and output serialization when
|
||||
//! invoked by Nushell.
|
||||
//!
|
||||
//! ```
|
||||
//! use nu_plugin::{EvaluatedCall, LabeledError, MsgPackSerializer, Plugin, serve_plugin};
|
||||
//! use nu_protocol::{PluginSignature, Value};
|
||||
//!
|
||||
//! struct MyPlugin;
|
||||
//!
|
||||
//! impl Plugin for MyPlugin {
|
||||
//! fn signature(&self) -> Vec<PluginSignature> {
|
||||
//! todo!();
|
||||
//! }
|
||||
//! fn run(
|
||||
//! &mut self,
|
||||
//! name: &str,
|
||||
//! call: &EvaluatedCall,
|
||||
//! input: &Value
|
||||
//! ) -> Result<Value, LabeledError> {
|
||||
//! todo!();
|
||||
//! }
|
||||
//! }
|
||||
//!
|
||||
//! fn main() {
|
||||
//! serve_plugin(&mut MyPlugin{}, MsgPackSerializer)
|
||||
//! }
|
||||
//! ```
|
||||
//!
|
||||
//! Nushell's source tree contains a
|
||||
//! [Plugin Example](https://github.com/nushell/nushell/tree/main/crates/nu_plugin_example)
|
||||
//! that demonstrates the full range of plugin capabilities.
|
||||
mod plugin;
|
||||
mod protocol;
|
||||
mod serializers;
|
||||
|
||||
pub use plugin::{get_signature, serve_plugin, Plugin, PluginDeclaration};
|
||||
pub use protocol::{EvaluatedCall, LabeledError, PluginData, PluginResponse};
|
||||
pub use protocol::{EvaluatedCall, LabeledError, PluginResponse};
|
||||
pub use serializers::{json::JsonSerializer, msgpack::MsgPackSerializer, EncodingType};
|
||||
|
@ -10,6 +10,7 @@ use nu_protocol::engine::{Command, EngineState, Stack};
|
||||
use nu_protocol::{ast::Call, PluginSignature, Signature};
|
||||
use nu_protocol::{Example, PipelineData, ShellError, Value};
|
||||
|
||||
#[doc(hidden)] // Note: not for plugin authors / only used in nu-parser
|
||||
#[derive(Clone)]
|
||||
pub struct PluginDeclaration {
|
||||
name: String,
|
||||
|
@ -17,23 +17,31 @@ use super::EvaluatedCall;
|
||||
|
||||
pub(crate) const OUTPUT_BUFFER_SIZE: usize = 8192;
|
||||
|
||||
/// Encoding scheme that defines a plugin's communication protocol with Nu
|
||||
pub trait PluginEncoder: Clone {
|
||||
/// The name of the encoder (e.g., `json`)
|
||||
fn name(&self) -> &str;
|
||||
|
||||
/// Serialize a `PluginCall` in the `PluginEncoder`s format
|
||||
fn encode_call(
|
||||
&self,
|
||||
plugin_call: &PluginCall,
|
||||
writer: &mut impl std::io::Write,
|
||||
) -> Result<(), ShellError>;
|
||||
|
||||
/// Deserialize a `PluginCall` from the `PluginEncoder`s format
|
||||
fn decode_call(&self, reader: &mut impl std::io::BufRead) -> Result<PluginCall, ShellError>;
|
||||
|
||||
/// Serialize a `PluginResponse` from the plugin in this `PluginEncoder`'s preferred
|
||||
/// format
|
||||
fn encode_response(
|
||||
&self,
|
||||
plugin_response: &PluginResponse,
|
||||
writer: &mut impl std::io::Write,
|
||||
) -> Result<(), ShellError>;
|
||||
|
||||
/// Deserialize a `PluginResponse` from the plugin from this `PluginEncoder`'s
|
||||
/// preferred format
|
||||
fn decode_response(
|
||||
&self,
|
||||
reader: &mut impl std::io::BufRead,
|
||||
@ -113,6 +121,7 @@ pub(crate) fn call_plugin(
|
||||
}
|
||||
}
|
||||
|
||||
#[doc(hidden)] // Note: not for plugin authors / only used in nu-parser
|
||||
pub fn get_signature(
|
||||
path: &Path,
|
||||
shell: &Option<PathBuf>,
|
||||
@ -179,10 +188,58 @@ pub fn get_signature(
|
||||
}
|
||||
}
|
||||
|
||||
// The next trait and functions are part of the plugin that is being created
|
||||
// The `Plugin` trait defines the API which plugins use to "hook" into nushell.
|
||||
/// The basic API for a Nushell plugin
|
||||
///
|
||||
/// This is the trait that Nushell plugins must implement. The methods defined on
|
||||
/// `Plugin` are invoked by [serve_plugin] during plugin registration and execution.
|
||||
///
|
||||
/// # Examples
|
||||
/// Basic usage:
|
||||
/// ```
|
||||
/// # use nu_plugin::*;
|
||||
/// # use nu_protocol::{PluginSignature, Type, Value};
|
||||
/// struct HelloPlugin;
|
||||
///
|
||||
/// impl Plugin for HelloPlugin {
|
||||
/// fn signature(&self) -> Vec<PluginSignature> {
|
||||
/// let sig = PluginSignature::build("hello")
|
||||
/// .output_type(Type::String);
|
||||
///
|
||||
/// vec![sig]
|
||||
/// }
|
||||
///
|
||||
/// fn run(
|
||||
/// &mut self,
|
||||
/// name: &str,
|
||||
/// call: &EvaluatedCall,
|
||||
/// input: &Value,
|
||||
/// ) -> Result<Value, LabeledError> {
|
||||
/// Ok(Value::String {
|
||||
/// val: "Hello, World!".to_owned(),
|
||||
/// span: call.head,
|
||||
/// })
|
||||
/// }
|
||||
/// }
|
||||
/// ```
|
||||
pub trait Plugin {
|
||||
/// The signature of the plugin
|
||||
///
|
||||
/// This method returns the [PluginSignature]s that describe the capabilities
|
||||
/// of this plugin. Since a single plugin executable can support multiple invocation
|
||||
/// patterns we return a `Vec` of signatures.
|
||||
fn signature(&self) -> Vec<PluginSignature>;
|
||||
|
||||
/// Perform the actual behavior of the plugin
|
||||
///
|
||||
/// The behavior of the plugin is defined by the implementation of this method.
|
||||
/// When Nushell invoked the plugin [serve_plugin] will call this method and
|
||||
/// print the serialized returned value or error to stdout, which Nushell will
|
||||
/// interpret.
|
||||
///
|
||||
/// The `name` is only relevant for plugins that implement multiple commands as the
|
||||
/// invoked command will be passed in via this argument. The `call` contains
|
||||
/// metadata describing how the plugin was invoked and `input` contains the structured
|
||||
/// data passed to the command implemented by this [Plugin].
|
||||
fn run(
|
||||
&mut self,
|
||||
name: &str,
|
||||
@ -191,23 +248,30 @@ pub trait Plugin {
|
||||
) -> Result<Value, LabeledError>;
|
||||
}
|
||||
|
||||
// Function used in the plugin definition for the communication protocol between
|
||||
// nushell and the external plugin.
|
||||
// When creating a new plugin you have to use this function as the main
|
||||
// entry point for the plugin, e.g.
|
||||
//
|
||||
// fn main() {
|
||||
// serve_plugin(plugin)
|
||||
// }
|
||||
//
|
||||
// where plugin is your struct that implements the Plugin trait
|
||||
//
|
||||
// Note. When defining a plugin in other language but Rust, you will have to compile
|
||||
// the plugin.capnp schema to create the object definitions that will be returned from
|
||||
// the plugin.
|
||||
// The object that is expected to be received by nushell is the PluginResponse struct.
|
||||
// That should be encoded correctly and sent to StdOut for nushell to decode and
|
||||
// and present its result
|
||||
/// Function used to implement the communication protocol between
|
||||
/// nushell and an external plugin.
|
||||
///
|
||||
/// When creating a new plugin this function is typically used as the main entry
|
||||
/// point for the plugin, e.g.
|
||||
///
|
||||
/// ```
|
||||
/// # use nu_plugin::*;
|
||||
/// # use nu_protocol::{PluginSignature, Value};
|
||||
/// # struct MyPlugin;
|
||||
/// # impl MyPlugin { fn new() -> Self { Self }}
|
||||
/// # impl Plugin for MyPlugin {
|
||||
/// # fn signature(&self) -> Vec<PluginSignature> {todo!();}
|
||||
/// # fn run(&mut self, name: &str, call: &EvaluatedCall, input: &Value)
|
||||
/// # -> Result<Value, LabeledError> {todo!();}
|
||||
/// # }
|
||||
/// fn main() {
|
||||
/// serve_plugin(&mut MyPlugin::new(), MsgPackSerializer)
|
||||
/// }
|
||||
/// ```
|
||||
///
|
||||
/// The object that is expected to be received by nushell is the `PluginResponse` struct.
|
||||
/// The `serve_plugin` function should ensure that it is encoded correctly and sent
|
||||
/// to StdOut for nushell to decode and and present its result.
|
||||
pub fn serve_plugin(plugin: &mut impl Plugin, encoder: impl PluginEncoder) {
|
||||
if env::args().any(|arg| (arg == "-h") || (arg == "--help")) {
|
||||
print_help(plugin, encoder);
|
||||
|
@ -6,19 +6,29 @@ use nu_protocol::{
|
||||
};
|
||||
use serde::{Deserialize, Serialize};
|
||||
|
||||
// The evaluated call is used with the Plugins because the plugin doesn't have
|
||||
// access to the Stack and the EngineState. For that reason, before encoding the
|
||||
// message to the plugin all the arguments to the original call (which are expressions)
|
||||
// are evaluated and passed to Values
|
||||
/// A representation of the plugin's invocation command including command line args
|
||||
///
|
||||
/// The `EvaluatedCall` contains information about the way a [Plugin](crate::Plugin) was invoked
|
||||
/// representing the [`Span`] corresponding to the invocation as well as the arguments
|
||||
/// it was invoked with. It is one of three items passed to [`run`](crate::Plugin::run()) along with
|
||||
/// `name` which command that was invoked and a [`Value`] that represents the input.
|
||||
///
|
||||
/// The evaluated call is used with the Plugins because the plugin doesn't have
|
||||
/// access to the Stack and the EngineState the way a built in command might. For that
|
||||
/// reason, before encoding the message to the plugin all the arguments to the original
|
||||
/// call (which are expressions) are evaluated and passed to Values
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct EvaluatedCall {
|
||||
/// Span of the command invocation
|
||||
pub head: Span,
|
||||
/// Values of positional arguments
|
||||
pub positional: Vec<Value>,
|
||||
/// Names and values of named arguments
|
||||
pub named: Vec<(Spanned<String>, Option<Value>)>,
|
||||
}
|
||||
|
||||
impl EvaluatedCall {
|
||||
pub fn try_from_call(
|
||||
pub(crate) fn try_from_call(
|
||||
call: &Call,
|
||||
engine_state: &EngineState,
|
||||
stack: &mut Stack,
|
||||
@ -45,6 +55,43 @@ impl EvaluatedCall {
|
||||
})
|
||||
}
|
||||
|
||||
/// Indicates whether named parameter is present in the arguments
|
||||
///
|
||||
/// Typically this method would be used on a flag parameter, a named parameter
|
||||
/// that does not take a value.
|
||||
///
|
||||
/// # Examples
|
||||
/// Invoked as `my_command --foo`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: Vec::new(),
|
||||
/// # named: vec![(
|
||||
/// # Spanned { item: "foo".to_owned(), span: null_span},
|
||||
/// # None
|
||||
/// # )],
|
||||
/// # };
|
||||
/// assert!(call.has_flag("foo"));
|
||||
/// ```
|
||||
///
|
||||
/// Invoked as `my_command --bar`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: Vec::new(),
|
||||
/// # named: vec![(
|
||||
/// # Spanned { item: "bar".to_owned(), span: null_span},
|
||||
/// # None
|
||||
/// # )],
|
||||
/// # };
|
||||
/// assert!(!call.has_flag("foo"));
|
||||
/// ```
|
||||
pub fn has_flag(&self, flag_name: &str) -> bool {
|
||||
for name in &self.named {
|
||||
if flag_name == name.0.item {
|
||||
@ -55,6 +102,47 @@ impl EvaluatedCall {
|
||||
false
|
||||
}
|
||||
|
||||
/// Returns the [`Value`] of an optional named argument
|
||||
///
|
||||
/// # Examples
|
||||
/// Invoked as `my_command --foo 123`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: Vec::new(),
|
||||
/// # named: vec![(
|
||||
/// # Spanned { item: "foo".to_owned(), span: null_span},
|
||||
/// # Some(Value::Int { val: 123, span: null_span })
|
||||
/// # )],
|
||||
/// # };
|
||||
/// let opt_foo = match call.get_flag_value("foo") {
|
||||
/// Some(Value::Int { val, .. }) => Some(val),
|
||||
/// None => None,
|
||||
/// _ => panic!(),
|
||||
/// };
|
||||
/// assert_eq!(opt_foo, Some(123));
|
||||
/// ```
|
||||
///
|
||||
/// Invoked as `my_command`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: Vec::new(),
|
||||
/// # named: vec![],
|
||||
/// # };
|
||||
/// let opt_foo = match call.get_flag_value("foo") {
|
||||
/// Some(Value::Int { val, .. }) => Some(val),
|
||||
/// None => None,
|
||||
/// _ => panic!(),
|
||||
/// };
|
||||
/// assert_eq!(opt_foo, None);
|
||||
/// ```
|
||||
pub fn get_flag_value(&self, flag_name: &str) -> Option<Value> {
|
||||
for name in &self.named {
|
||||
if flag_name == name.0.item {
|
||||
@ -65,10 +153,89 @@ impl EvaluatedCall {
|
||||
None
|
||||
}
|
||||
|
||||
/// Returns the [`Value`] of a given (zero indexed) positional argument, if present
|
||||
///
|
||||
/// Examples:
|
||||
/// Invoked as `my_command a b c`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: vec![
|
||||
/// # Value::String { val: "a".to_owned(), span: null_span },
|
||||
/// # Value::String { val: "b".to_owned(), span: null_span },
|
||||
/// # Value::String { val: "c".to_owned(), span: null_span },
|
||||
/// # ],
|
||||
/// # named: vec![],
|
||||
/// # };
|
||||
/// let arg = match call.nth(1) {
|
||||
/// Some(Value::String { val, .. }) => val,
|
||||
/// _ => panic!(),
|
||||
/// };
|
||||
/// assert_eq!(arg, "b".to_owned());
|
||||
///
|
||||
/// let arg = call.nth(7);
|
||||
/// assert!(arg.is_none());
|
||||
/// ```
|
||||
pub fn nth(&self, pos: usize) -> Option<Value> {
|
||||
self.positional.get(pos).cloned()
|
||||
}
|
||||
|
||||
/// Returns the value of a named argument interpreted as type `T`
|
||||
///
|
||||
/// # Examples
|
||||
/// Invoked as `my_command --foo 123`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: Vec::new(),
|
||||
/// # named: vec![(
|
||||
/// # Spanned { item: "foo".to_owned(), span: null_span},
|
||||
/// # Some(Value::Int { val: 123, span: null_span })
|
||||
/// # )],
|
||||
/// # };
|
||||
/// let foo = call.get_flag::<i64>("foo");
|
||||
/// assert_eq!(foo.unwrap(), Some(123));
|
||||
/// ```
|
||||
///
|
||||
/// Invoked as `my_command --bar 123`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: Vec::new(),
|
||||
/// # named: vec![(
|
||||
/// # Spanned { item: "bar".to_owned(), span: null_span},
|
||||
/// # Some(Value::Int { val: 123, span: null_span })
|
||||
/// # )],
|
||||
/// # };
|
||||
/// let foo = call.get_flag::<i64>("foo");
|
||||
/// assert_eq!(foo.unwrap(), None);
|
||||
/// ```
|
||||
///
|
||||
/// Invoked as `my_command --foo abc`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: Vec::new(),
|
||||
/// # named: vec![(
|
||||
/// # Spanned { item: "foo".to_owned(), span: null_span},
|
||||
/// # Some(Value::String { val: "abc".to_owned(), span: null_span })
|
||||
/// # )],
|
||||
/// # };
|
||||
/// let foo = call.get_flag::<i64>("foo");
|
||||
/// assert!(foo.is_err());
|
||||
/// ```
|
||||
pub fn get_flag<T: FromValue>(&self, name: &str) -> Result<Option<T>, ShellError> {
|
||||
if let Some(value) = self.get_flag_value(name) {
|
||||
FromValue::from_value(&value).map(Some)
|
||||
@ -77,6 +244,30 @@ impl EvaluatedCall {
|
||||
}
|
||||
}
|
||||
|
||||
/// Retrieve the Nth and all following positional arguments as type `T`
|
||||
///
|
||||
/// # Example
|
||||
/// Invoked as `my_command zero one two three`:
|
||||
/// ```
|
||||
/// # use nu_protocol::{Spanned, Span, Value};
|
||||
/// # use nu_plugin::EvaluatedCall;
|
||||
/// # let null_span = Span::new(0, 0);
|
||||
/// # let call = EvaluatedCall {
|
||||
/// # head: null_span,
|
||||
/// # positional: vec![
|
||||
/// # Value::String { val: "zero".to_owned(), span: null_span },
|
||||
/// # Value::String { val: "one".to_owned(), span: null_span },
|
||||
/// # Value::String { val: "two".to_owned(), span: null_span },
|
||||
/// # Value::String { val: "three".to_owned(), span: null_span },
|
||||
/// # ],
|
||||
/// # named: Vec::new(),
|
||||
/// # };
|
||||
/// let args = call.rest::<String>(0);
|
||||
/// assert_eq!(args.unwrap(), vec!["zero", "one", "two", "three"]);
|
||||
///
|
||||
/// let args = call.rest::<String>(2);
|
||||
/// assert_eq!(args.unwrap(), vec!["two", "three"]);
|
||||
/// ```
|
||||
pub fn rest<T: FromValue>(&self, starting_pos: usize) -> Result<Vec<T>, ShellError> {
|
||||
self.positional
|
||||
.iter()
|
||||
@ -85,6 +276,11 @@ impl EvaluatedCall {
|
||||
.collect()
|
||||
}
|
||||
|
||||
/// Retrieve the value of an optional positional argument interpreted as type `T`
|
||||
///
|
||||
/// Returns the value of a (zero indexed) positional argument of type `T`.
|
||||
/// Alternatively returns [`None`] if the positional argument does not exist
|
||||
/// or an error that can be passed back to the shell on error.
|
||||
pub fn opt<T: FromValue>(&self, pos: usize) -> Result<Option<T>, ShellError> {
|
||||
if let Some(value) = self.nth(pos) {
|
||||
FromValue::from_value(&value).map(Some)
|
||||
@ -93,6 +289,11 @@ impl EvaluatedCall {
|
||||
}
|
||||
}
|
||||
|
||||
/// Retrieve the value of a mandatory positional argument as type `T`
|
||||
///
|
||||
/// Expect a positional argument of type `T` and return its value or, if the
|
||||
/// argument does not exist or is of the wrong type, return an error that can
|
||||
/// be passed back to the shell.
|
||||
pub fn req<T: FromValue>(&self, pos: usize) -> Result<T, ShellError> {
|
||||
if let Some(value) = self.nth(pos) {
|
||||
FromValue::from_value(&value)
|
||||
|
@ -29,10 +29,19 @@ pub enum PluginCall {
|
||||
CollapseCustomValue(PluginData),
|
||||
}
|
||||
|
||||
/// An error message with debugging information that can be passed to Nushell from the plugin
|
||||
///
|
||||
/// The `LabeledError` struct is a structured error message that can be returned from
|
||||
/// a [Plugin](crate::Plugin)'s [`run`](crate::Plugin::run()) method. It contains
|
||||
/// the error message along with optional [Span] data to support highlighting in the
|
||||
/// shell.
|
||||
#[derive(Clone, PartialEq, Eq, Serialize, Deserialize, Debug)]
|
||||
pub struct LabeledError {
|
||||
/// The name of the error
|
||||
pub label: String,
|
||||
/// A detailed error description
|
||||
pub msg: String,
|
||||
/// The [Span] in which the error occurred
|
||||
pub span: Option<Span>,
|
||||
}
|
||||
|
||||
@ -99,6 +108,9 @@ impl From<ShellError> for LabeledError {
|
||||
}
|
||||
|
||||
// Information received from the plugin
|
||||
// Needs to be public to communicate with nu-parser but not typically
|
||||
// used by Plugin authors
|
||||
#[doc(hidden)]
|
||||
#[derive(Serialize, Deserialize)]
|
||||
pub enum PluginResponse {
|
||||
Error(LabeledError),
|
||||
|
@ -2,6 +2,8 @@ use nu_protocol::ShellError;
|
||||
|
||||
use crate::{plugin::PluginEncoder, protocol::PluginResponse};
|
||||
|
||||
/// A `PluginEncoder` that enables the plugin to communicate with Nushel with JSON
|
||||
/// serialized data.
|
||||
#[derive(Clone, Debug)]
|
||||
pub struct JsonSerializer;
|
||||
|
||||
|
@ -7,6 +7,7 @@ use nu_protocol::ShellError;
|
||||
pub mod json;
|
||||
pub mod msgpack;
|
||||
|
||||
#[doc(hidden)]
|
||||
#[derive(Clone, Debug)]
|
||||
pub enum EncodingType {
|
||||
Json(json::JsonSerializer),
|
||||
|
@ -1,6 +1,8 @@
|
||||
use crate::{plugin::PluginEncoder, protocol::PluginResponse};
|
||||
use nu_protocol::ShellError;
|
||||
|
||||
/// A `PluginEncoder` that enables the plugin to communicate with Nushel with MsgPack
|
||||
/// serialized data.
|
||||
#[derive(Clone, Debug)]
|
||||
pub struct MsgPackSerializer;
|
||||
|
||||
|
@ -5,7 +5,7 @@ use serde::Serialize;
|
||||
use crate::engine::Command;
|
||||
use crate::{BlockId, Category, Flag, PositionalArg, SyntaxShape, Type};
|
||||
|
||||
/// A simple wrapper for Signature, includes examples.
|
||||
/// A simple wrapper for Signature that includes examples.
|
||||
#[derive(Clone, Serialize, Deserialize)]
|
||||
pub struct PluginSignature {
|
||||
pub sig: Signature,
|
||||
@ -23,13 +23,13 @@ impl PluginSignature {
|
||||
Self { sig, examples }
|
||||
}
|
||||
|
||||
// Add a default help option to a signature
|
||||
/// Add a default help option to a signature
|
||||
pub fn add_help(mut self) -> PluginSignature {
|
||||
self.sig = self.sig.add_help();
|
||||
self
|
||||
}
|
||||
|
||||
// Build an internal signature with default help option
|
||||
/// Build an internal signature with default help option
|
||||
pub fn build(name: impl Into<String>) -> PluginSignature {
|
||||
let sig = Signature::new(name.into()).add_help();
|
||||
Self::new(sig, vec![])
|
||||
@ -94,7 +94,6 @@ impl PluginSignature {
|
||||
desc: impl Into<String>,
|
||||
) -> PluginSignature {
|
||||
self.sig = self.sig.rest(name, shape, desc);
|
||||
|
||||
self
|
||||
}
|
||||
|
||||
@ -112,7 +111,6 @@ impl PluginSignature {
|
||||
short: Option<char>,
|
||||
) -> PluginSignature {
|
||||
self.sig = self.sig.named(name, shape, desc, short);
|
||||
|
||||
self
|
||||
}
|
||||
|
||||
@ -165,7 +163,6 @@ impl PluginSignature {
|
||||
/// Changes the signature category
|
||||
pub fn category(mut self, category: Category) -> PluginSignature {
|
||||
self.sig = self.sig.category(category);
|
||||
|
||||
self
|
||||
}
|
||||
|
||||
|
Loading…
Reference in New Issue
Block a user