npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

git-cmd

v0.2.1

Published

A command builder to build functions that will run git commands and extract output from them in a variety of ways.

Downloads

8

Readme

npm version Build Status Dependency Status devDependency Status

git-cmd

git-cmd is a node.js command builder meant to be used to build your own functions to interact with git repositories through the git command.

git-cmd executes the git command with a set of arguments for you, gives you an interface to extract this data, and then returns the result as a Bluebird promise.

Installation

$ npm install git-cmd

API documentation

var git = require('git-cmd');

git(args, options) => cmd

Construct a git command. The command is not executed at this point.

  • args (array): The args to pass to the git command.
  • options (options):
    • git (string) [default="git"] the path to the git executable.
    • cwd (string) [default=process.cwd] the git directory.
    • GIT_DIR (string) the GIT_DIR environment variable.

cmd chained methods

cmd.push(arg) => cmd

This adds a single argument to the args list. This allows you to construct complex conditional commands.

function clone(url, path, opts) {
    opts = opts || {};
    var cmd = git(['clone']);
    if ( opts.bare ) {
        cmd.push('--bare');
    }

    cmd.push(url);
    cmd.push(path);

    return cmd.pass({prefix: opts.prefix});
}

cmd.pipe(stream) => cmd

Add a transform stream to pipe stdout through for the .capture(), .oneline(), and .array() run methods.

var LineStream = require('byline').LineStream;

function tags() {
    return git(['tag'], {cwd: cwd})
        .pipe(new LineStream())
        .array();
}

cmd run methods

These commands execute the git command and return the result in various ways.

cmd.ok() => promise

Execute the command and resolve with a boolean indicating whether the command succeeded (error code=0, true) or failed (error code > 0, false).

stdout and stderr will be ignored.

This result is useful if you're doing a boolean test for the presence of something in the git repository and git exits with an error code when it's missing.

Example
function hasRef(ref) {
    return git(['rev-parse', ref], {cwd: cwd}).ok();
}

cmd.pass(options) => promise

Execute the command and pass all stdout and stderr output through. The promise is resolved simply with true when the process exits.

This result is useful when running long running commands like fetch and clone that output progress information to the terminal.

Options
  • prefix (string) [default=""] prefix for every line piped to stdout and stderr.
    • If you are executing multiple git commands in parallel this can identify what output is from what command.
  • silenceErrors (boolean) [default=false] don't pass through stderr output.
Example
function fetchOrigin(ref) {
    return git(['fetch', 'origin'], {cwd: cwd}).pass();
}

function fetchRepo(name) {
    return git(['fetch', 'origin'], {cwd: nameToPath(name)}).pass({prefix: name + ': '});
}

cmd.capture(options) => promise

Execute the command and capture the output into a single buffer or string.

Any stderr output is passed through to to the terminal.

This is useful for any command you are capturing binary or multi-line data. Especially raw output such as that from cat-file.

Options
  • prefix (string) [default=""] prefix for every line piped to stderr.
  • encoding (string|undefined|false) [default=undefined] the character encoding of the data to decode.
  • silenceErrors (boolean) [default=false] don't pass through stderr output.
Example
function catBinaryFile(file) {
    return git(['cat-file', 'blob', util.format('HEAD:%s', file)], {cwd: cwd})
        .capture();
}

function catTextFile(file) {
    return git(['cat-file', 'blob', util.format('HEAD:%s', file)], {cwd: cwd})
        .capture({encoding: 'utf8'});
}

cmd.oneline(options) => promise

Execute the command and capture the output as a string without a trailing line feed.

Any stderr output is passed through to to the terminal.

This is useful for any command that simply returns a simple one-line string.

Options
  • prefix (string) [default=""] prefix for every line piped to stderr.
  • silenceErrors (boolean) [default=false] don't pass through stderr output.
Example
function getRefHash(ref) {
    return git(['show-ref', '--hash', ref], {cwd: suite.cwd})
        .oneline();
}

function getSymbolicRef(ref) {
    return git(['symbolic-ref', ref], {cwd: cwd})
        .oneline();
}

cmd.array(options) => promise

Execute the command and return the result as an array. This method only works when you pipe the output through a transform stream that outputs data in objectMode.

Any stderr output is passed through to to the terminal.

This is useful when you want to return a list of objects processed through transformation streams.

Options
  • prefix (string) [default=""] prefix for every line piped to stderr.
  • silenceErrors (boolean) [default=false] don't pass through stderr output.
Example
var LineStream = require('byline').LineStream,
    es = require('event-stream');

function getRefs() {
    return git(['show-ref'], {cwd: cwd})
        .pipe(new LineStream())
        .pipe(es.mapSync(function(line) {
            var m = line.match(/^([0-9a-f]+) (.+)$/);
            return {
                sha1: m[1],
                ref: m[2]
            };
        }))
        .array();
}

function lsTree(treeIsh) {
    return git(['ls-tree', treeIsh], {cwd: cwd})
        .pipe(new LineStream())
        .pipe(es.mapSync(function(line) {
            var m = line.match(/^(\d+) ([^ ]+) ([0-9a-f]+)\t(.+)$/);
            return {
                mode: parseInt(m[1], 10),
                type: m[2],
                sha1: m[3],
                name: m[4]
            };
        }))
        .array();
}