I'm replacing a sub-string using replace function and regex expression. However after character escape and replacement, I still have an extra '/' character. I'm not really familiar with regex can someone guide me.
I have implemented the escape character function found here: Is there a RegExp.escape function in Javascript?
RegExp.escape= function(s) {
    return s.replace(/[-\/\\^$*+?.()|[\]{}]/g, '\\$&');
};
const latexConversions = [
    ["\\cdot", "*"],
    ["\\right\)", ")"],
    ["\\left\(", "("],
    ["\\pi", "pi"],
    ["\\ln\((.*?)\)", "log($1)"],
    ["stdev\((.*?)\)", "std($1)"],
    ["stdevp\((.*?)\)", "std(\[$1\], \"uncorrected\")"],
    ["mean\((.*?)\)", "mean($1)"],
    ["\\sqrt\((.*?)\)", "sqrt($1)"],
    ["\\log\((.*?)\)", "log10($1)"],
    ["\(e\)", "e"],
    ["\\exp\((.*?)\)", "exp($1)"],
    ["round\((.*?)\)", "round($1)"],
    ["npr\((.*?),(.*?)\)", "($1!/($1-$2)!)"],
    ["ncr\((.*?),(.*?)\)", "($1!/($2!($1-$2)!))"],
    ["\\left\|", "abs("],
    ["\\right\|", ")"],
];
RegExp.escape = function (s) {
    var t = s.replace(/[-\/\\^$*+?.()|[\]{}]/g, '\\$&');
    return t;
};
mathematicalExpression = "\\sqrt( )"
//Problem is here
mathematicalExpression = mathematicalExpression.replace(new RegExp(RegExp.escape(latexConversions[8][0]), 'g'), latexConversions[8][1]);
//Works
mathematicalExpression2 = mathematicalExpression.replace(/\\sqrt\((.*?)\)/g, "sqrt($1)"); 
alert("what I got: "+mathematicalExpression); // "\sqrt()"
alert("Supposed to be: "+ mathematicalExpression2); // "sqtr()"
I have a live example here: https://jsfiddle.net/nky342h5/2/
 
     
    