Files
zulip/frontend_tests/zjsunit/mdiff.js
Anders Kaseorg ac7b09d57e js: Convert _.map(a, …) to a.map(…).
And convert the corresponding function expressions to arrow style
while we’re here.

import * as babelParser from "recast/parsers/babel";
import * as recast from "recast";
import * as tsParser from "recast/parsers/typescript";
import { builders as b, namedTypes as n } from "ast-types";
import K from "ast-types/gen/kinds";
import fs from "fs";
import path from "path";
import process from "process";

const checkExpression = (node: n.Node): node is K.ExpressionKind =>
  n.Expression.check(node);

for (const file of process.argv.slice(2)) {
  console.log("Parsing", file);
  const ast = recast.parse(fs.readFileSync(file, { encoding: "utf8" }), {
    parser: path.extname(file) === ".ts" ? tsParser : babelParser,
  });
  let changed = false;

  recast.visit(ast, {
    visitCallExpression(path) {
      const { callee, arguments: args } = path.node;
      if (
        n.MemberExpression.check(callee) &&
        !callee.computed &&
        n.Identifier.check(callee.object) &&
        callee.object.name === "_" &&
        n.Identifier.check(callee.property) &&
        callee.property.name === "map" &&
        args.length === 2 &&
        checkExpression(args[0]) &&
        checkExpression(args[1])
      ) {
        const [arr, fn] = args;
        path.replace(
          b.callExpression(b.memberExpression(arr, b.identifier("map")), [
            n.FunctionExpression.check(fn) ||
            n.ArrowFunctionExpression.check(fn)
              ? b.arrowFunctionExpression(
                  fn.params,
                  n.BlockStatement.check(fn.body) &&
                    fn.body.body.length === 1 &&
                    n.ReturnStatement.check(fn.body.body[0])
                    ? fn.body.body[0].argument || b.identifier("undefined")
                    : fn.body
                )
              : fn,
          ])
        );
        changed = true;
      }
      this.traverse(path);
    },
  });

  if (changed) {
    console.log("Writing", file);
    fs.writeFileSync(file, recast.print(ast).code, { encoding: "utf8" });
  }
}

Signed-off-by: Anders Kaseorg <anders@zulipchat.com>
2020-02-10 14:08:12 -08:00

147 lines
4.5 KiB
JavaScript

/**
* mdiff.js
*
* Used to produce colorful and informative diffs for comparison of generated
* Markdown. Unlike the built-in diffs used in python or node.js assert libraries,
* is actually designed to be effective for long, single-line comparisons.
*
* Based on diffing library difflib, a js port of the python library.
*
* The sole exported function diff_strings(string_0, string_1) returns a pretty-printed
* unicode string containing their diff.
*/
const _ = require('underscore');
const difflib = require('difflib');
function apply_color(input_string, changes) {
let previous_index = 0;
let processed_string = input_string.slice(0, 2);
input_string = input_string.slice(2);
const formatter = {
delete: (string) => { return "\u001b[31m" + string + "\u001b[0m"; },
insert: (string) => { return "\u001b[32m" + string + "\u001b[0m"; },
replace: (string) => { return "\u001b[33m" + string + "\u001b[0m"; },
};
changes.forEach((change) => {
if (formatter.hasOwnProperty(change.tag)) {
processed_string += input_string.slice(previous_index, change.beginning_index);
processed_string += formatter[change.tag](
input_string.slice(change.beginning_index, change.ending_index)
);
previous_index = change.ending_index;
}
});
processed_string += input_string.slice(previous_index);
return processed_string;
}
/**
* The library difflib produces diffs that look as follows:
*
* - <p>upgrade! yes</p>
* ? ^^ -
* + <p>downgrade yes.</p>
* ? ^^^^ +
*
* The purpose of this function is to facilitate converting these diffs into
* colored versions, where the question-mark lines are removed, replaced with
* directions to add appropriate color to the lines that they annotate.
*/
function parse_questionmark_line(questionmark_line) {
let current_sequence = ""; // Either "^", "-", "+", or ""
let beginning_index = 0;
let index = 0;
const changes_list = [];
const aliases = {
"^": "replace",
"+": "insert",
"-": "delete",
};
const add_change = () => {
if (current_sequence) {
changes_list.push({
tag: aliases[current_sequence],
beginning_index,
ending_index: index,
});
current_sequence = "";
}
};
questionmark_line = questionmark_line.slice(2).trimRight("\n");
for (const character of questionmark_line) {
if (aliases.hasOwnProperty(character)) {
if (current_sequence !== character) {
add_change();
current_sequence = character;
beginning_index = index;
}
} else {
add_change();
}
index += 1;
}
// In case we have a "change" involving the last character on a line
// e.g. a string such as "? ^^ -- ++++"
add_change();
return changes_list;
}
function diff_strings(string_0, string_1) {
let output_lines = [];
let ndiff_output = "";
let changes_list = [];
ndiff_output = difflib.ndiff(string_0.split("\n"), string_1.split("\n"));
ndiff_output.forEach((line) => {
if (line.startsWith("+")) {
output_lines.push(line);
} else if (line.startsWith("-")) {
output_lines.push(line);
} else if (line.startsWith("?")) {
changes_list = parse_questionmark_line(line);
output_lines[output_lines.length - 1] = apply_color(
output_lines[output_lines.length - 1], changes_list);
} else {
output_lines.push(line);
}
});
const emphasize_codes = (string) => {
return "\u001b[34m" + string.slice(0, 1) + "\u001b[0m" + string.slice(1);
};
output_lines = output_lines.map(emphasize_codes);
return output_lines.join("\n");
}
module.exports = { diff_strings };
// Simple CLI for this module
// Only run this code if called as a command-line utility
if (require.main === module) {
// First two args are just "node" and "mdiff.js"
const argv = require('minimist')(process.argv.slice(2));
if (_.has(argv, "help")) {
console.log(process.argv[0] + " " + process.argv[1] +
" [ --help ]" +
" string_0" +
" string_1" +
"\n" +
"Where string_0 and string_1 are the strings to be diffed"
);
}
const output = diff_strings(argv._[0], argv._[1]);
console.log(output);
}