1
0
mirror of https://github.com/Llewellynvdm/starship.git synced 2024-06-05 01:50:51 +00:00

feat(buf): Add Buf module (#3661)

* Add initial Buf module logic

* Add tests for Buf module

* Add initial draft of docs

* cargo fmt

* Fix config table formatting

* Run dprint

* Run clippy --fix

* cargo fmt

* Add space after emoji

* Fix spacing discrepancy

* Switch to Nerd Font from emoji

* Fix up docs merge conflict handling

Co-authored-by: Matan Kushner <hello@matchai.dev>
This commit is contained in:
Luc Perkins 2022-03-12 03:10:23 -08:00 committed by GitHub
parent ac8c2fe024
commit 16f62d7904
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
10 changed files with 212 additions and 0 deletions

View File

@ -1,6 +1,9 @@
[aws]
symbol = " "
[buf]
symbol = " "
[conda]
symbol = " "

View File

@ -1,3 +1,6 @@
[buf]
format = "via [$symbol]($style)"
[cmake]
format = "via [$symbol]($style)"

View File

@ -206,6 +206,7 @@ $git_status\
$hg_branch\
$docker_context\
$package\
$buf\
$cmake\
$cobol\
$container\
@ -455,6 +456,45 @@ discharging_symbol = "💦"
# when capacity is over 30%, the battery indicator will not be displayed
```
## Buf
The `buf` module shows the currently installed version of [Buf](https://buf.build). By default, the module is shown if all of the following conditions are met:
- The [`buf`](https://github.com/bufbuild/buf) CLI is installed.
- The current directory contains a [`buf.yaml`](https://docs.buf.build/configuration/v1/buf-yaml), [`buf.gen.yaml`](https://docs.buf.build/configuration/v1/buf-gen-yaml), or [`buf.work.yaml`](https://docs.buf.build/configuration/v1/buf-work-yaml) configuration file.
### Options
| Option | Default | Description |
| ------------------- | ---------------------------------------------------------- | ----------------------------------------------------- |
| `format` | `'with [$symbol($version \(Buf $buf_version\) )]($style)'` | The format for the `buf` module. |
| `version_format` | `"v${raw}"` | The version format. |
| `symbol` | `"🦬 "` | The symbol used before displaying the version of Buf. |
| `detect_extensions` | `[]` | Which extensions should trigger this module. |
| `detect_files` | `["buf.yaml", "buf.gen.yaml", "buf.work.yaml"]` | Which filenames should trigger this module. |
| `detect_folders` | `[]` | Which folders should trigger this modules. |
| `style` | `"bold blue"` | The style for the module. |
| `disabled` | `false` | Disables the `elixir` module. |
### Variables
| Variable | Example | Description |
| ------------- | -------- | ------------------------------------ |
| `buf_version` | `v1.0.0` | The version of `buf` |
| `symbol` | | Mirrors the value of option `symbol` |
| `style`* | | Mirrors the value of option `style` |
*: This variable can only be used as a part of a style string
### Example
```toml
# ~/.config/starship.toml
[buf]
symbol = "🦬 "
```
## Character
The `character` module shows a character (usually an arrow) beside where the text

31
src/configs/buf.rs Normal file
View File

@ -0,0 +1,31 @@
use crate::config::ModuleConfig;
use serde::Serialize;
use starship_module_config_derive::ModuleConfig;
#[derive(Clone, ModuleConfig, Serialize)]
pub struct BufConfig<'a> {
pub format: &'a str,
pub version_format: &'a str,
pub symbol: &'a str,
pub style: &'a str,
pub disabled: bool,
pub detect_extensions: Vec<&'a str>,
pub detect_files: Vec<&'a str>,
pub detect_folders: Vec<&'a str>,
}
impl<'a> Default for BufConfig<'a> {
fn default() -> Self {
BufConfig {
format: "with [$symbol ($version)]($style)",
version_format: "v${raw}",
symbol: "",
style: "bold blue",
disabled: false,
detect_extensions: vec![],
detect_files: vec!["buf.yaml", "buf.gen.yaml", "buf.work.yaml"],
detect_folders: vec![],
}
}
}

View File

@ -6,6 +6,7 @@ use starship_module_config_derive::ModuleConfig;
pub mod aws;
pub mod azure;
pub mod battery;
pub mod buf;
pub mod character;
pub mod cmake;
pub mod cmd_duration;
@ -90,6 +91,7 @@ pub struct FullConfig<'a> {
aws: aws::AwsConfig<'a>,
azure: azure::AzureConfig<'a>,
battery: battery::BatteryConfig<'a>,
buf: buf::BufConfig<'a>,
character: character::CharacterConfig<'a>,
cmake: cmake::CMakeConfig<'a>,
cmd_duration: cmd_duration::CmdDurationConfig<'a>,
@ -171,6 +173,7 @@ impl<'a> Default for FullConfig<'a> {
aws: Default::default(),
azure: Default::default(),
battery: Default::default(),
buf: Default::default(),
character: Default::default(),
cmake: Default::default(),
cmd_duration: Default::default(),

View File

@ -69,6 +69,7 @@ pub const PROMPT_ORDER: &[&str] = &[
"vagrant",
"zig",
// ↑ Toolchain version modules ↑
"buf",
"nix_shell",
"conda",
"memory_usage",

View File

@ -12,6 +12,7 @@ pub const ALL_MODULES: &[&str] = &[
"azure",
#[cfg(feature = "battery")]
"battery",
"buf",
"character",
"cmake",
"cmd_duration",

123
src/modules/buf.rs Normal file
View File

@ -0,0 +1,123 @@
use super::{Context, Module, RootModuleConfig};
use crate::configs::buf::BufConfig;
use crate::formatter::StringFormatter;
use crate::formatter::VersionFormatter;
pub fn module<'a>(context: &'a Context) -> Option<Module<'a>> {
let mut module = context.new_module("buf");
let config: BufConfig = BufConfig::try_load(module.config);
let is_buf_project = context
.try_begin_scan()?
.set_files(&config.detect_files)
.set_extensions(&config.detect_extensions)
.set_folders(&config.detect_folders)
.is_match();
if !is_buf_project {
return None;
}
let parsed = StringFormatter::new(config.format).and_then(|formatter| {
formatter
.map_meta(|variable, _| match variable {
"symbol" => Some(config.symbol),
_ => None,
})
.map_style(|variable| match variable {
"style" => Some(Ok(config.style)),
_ => None,
})
.map(|variable| match variable {
"version" => {
let buf_version =
parse_buf_version(&context.exec_cmd("buf", &["--version"])?.stdout)?;
VersionFormatter::format_module_version(
module.get_name(),
&buf_version,
config.version_format,
)
}
.map(Ok),
_ => None,
})
.parse(None, Some(context))
});
module.set_segments(match parsed {
Ok(segments) => segments,
Err(error) => {
log::warn!("Error in module `buf`:\n{}", error);
return None;
}
});
Some(module)
}
fn parse_buf_version(buf_version: &str) -> Option<String> {
Some(buf_version.split_whitespace().next()?.to_string())
}
#[cfg(test)]
mod tests {
use super::parse_buf_version;
use crate::test::ModuleRenderer;
use ansi_term::Color;
use std::fs::File;
use std::io;
#[test]
fn buf_version() {
let ok_versions = ["1.0.0", "1.1.0-dev"];
let not_ok_versions = ["foo", "1.0"];
let all_some = ok_versions.iter().all(|&v| parse_buf_version(v).is_some());
let all_none = not_ok_versions
.iter()
.any(|&v| parse_buf_version(v).is_some());
assert!(all_some);
assert!(all_none);
}
#[test]
fn folder_without_buf_config() -> io::Result<()> {
let dir = tempfile::tempdir()?;
let actual = ModuleRenderer::new("buf").path(dir.path()).collect();
let expected = None;
assert_eq!(expected, actual);
dir.close()
}
#[test]
fn folder_with_buf_config() {
let ok_files = ["buf.yaml", "buf.gen.yaml", "buf.work.yaml"];
let not_ok_files = ["buf.json"];
for file in ok_files {
let dir = tempfile::tempdir().unwrap();
File::create(dir.path().join(file))
.unwrap()
.sync_all()
.unwrap();
let actual = ModuleRenderer::new("buf").path(dir.path()).collect();
let expected = Some(format!("with {}", Color::Blue.bold().paint(" v1.0.0")));
assert_eq!(expected, actual);
dir.close().unwrap();
}
for file in not_ok_files {
let dir = tempfile::tempdir().unwrap();
File::create(dir.path().join(file))
.unwrap()
.sync_all()
.unwrap();
let actual = ModuleRenderer::new("buf").path(dir.path()).collect();
let expected = None;
assert_eq!(expected, actual);
dir.close().unwrap();
}
}
}

View File

@ -1,6 +1,7 @@
// While adding out new module add out module to src/module.rs ALL_MODULES const array also.
mod aws;
mod azure;
mod buf;
mod character;
mod cmake;
mod cmd_duration;
@ -90,6 +91,7 @@ pub fn handle<'a>(module: &str, context: &'a Context) -> Option<Module<'a>> {
"azure" => azure::module(context),
#[cfg(feature = "battery")]
"battery" => battery::module(context),
"buf" => buf::module(context),
"character" => character::module(context),
"cmake" => cmake::module(context),
"cmd_duration" => cmd_duration::module(context),
@ -179,6 +181,7 @@ pub fn description(module: &str) -> &'static str {
"aws" => "The current AWS region and profile",
"azure" => "The current Azure subscription",
"battery" => "The current charge of the device's battery and its current charging status",
"buf" => "The currently installed version of the Buf CLI",
"character" => {
"A character (usually an arrow) beside where the text is entered in your terminal"
}

View File

@ -129,6 +129,10 @@ pub fn mock_cmd<T: AsRef<OsStr> + Debug, U: AsRef<OsStr> + Debug>(
) -> Option<Option<CommandOutput>> {
let command = display_command(&cmd, args);
let out = match command.as_str() {
"buf --version" => Some(CommandOutput {
stdout: String::from("1.0.0"),
stderr: String::default(),
}),
"cobc -version" => Some(CommandOutput {
stdout: String::from("\
cobc (GnuCOBOL) 3.1.2.0