summaryrefslogtreecommitdiffstats
path: root/src/modules/nodejs.rs
blob: 932709f6dd97ae4f4111a89d86e4a4b71aa47c6d (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
use super::Segment;
use ansi_term::{Color, Style};
use clap::ArgMatches;
use rayon::prelude::*;
use std::env;
use std::fs::{self, DirEntry};
use std::process::Command;

/// Creates a segment with the current Node.js version
///
/// Will display the Node.js version if any of the following criteria are met:
///     - Current directory contains a `.js` file
///     - Current directory contains a `node_modules` directory
///     - Current directory contains a `package.json` file
pub fn segment(_: &ArgMatches) -> Segment {
    const NODE_CHAR: &str = "⬢";
    const SECTION_COLOR: Color = Color::Green;

    let current_path = env::current_dir().expect("Unable to identify current directory");
    let files = fs::read_dir(&current_path)
        .unwrap()
        .filter_map(Result::ok)
        .collect::<Vec<DirEntry>>();

    // Early return if there are no JS project files
    let is_js_project = files.par_iter().any(has_js_files);
    if !is_js_project {
        return Segment::default();
    }

    let version = match Command::new("node").arg("--version").output() {
        Ok(output) => String::from_utf8(output.stdout).unwrap().trim().to_string(),
        Err(_) => {
            return Segment::default();
        }
    };

    Segment {
        value: format!("{} {}", NODE_CHAR, version),
        style: Style::from(SECTION_COLOR),
        ..Default::default()
    }
}

fn has_js_files(dir_entry: &DirEntry) -> bool {
    let is_js_file = |d: &DirEntry| -> bool {
        d.path().is_file() && d.path().extension().unwrap_or_default() == "js"
    };
    let is_node_modules = |d: &DirEntry| -> bool {
        d.path().is_dir() && d.path().file_name().unwrap_or_default() == "node_modules"
    };
    let is_package_json = |d: &DirEntry| -> bool {
        d.path().is_file() && d.path().file_name().unwrap_or_default() == "package.json"
    };

    is_js_file(dir_entry) || is_node_modules(dir_entry) || is_package_json(dir_entry)
}