Take the tour ×
Code Review Stack Exchange is a question and answer site for peer programmer code reviews. It's 100% free, no registration required.

I want to remove not only spaces, but certain characters aswell from the beginning or end of a javascript string.

function trim(str, characters) {
  var c_array = characters.split('');
  var result  = '';

  for (var i=0; i < characters.length; i++)
    result += '\\' + c_array[i];

  return str.replace(new RegExp('^[' + result + ']+|['+ result +']+$', 'g'), '');
}

So the function can be used as follows: trim(' - hello** +', '+*- ');

The escaping is required as + * . etc. would be used in the regular expression. Is there a better way to trim any character in javascript? Or a better way to do the escaping, as not every character needs it.

share|improve this question
add comment

1 Answer

up vote 0 down vote accepted

There are many different ways to tackle trimming , a is probably the most popular, and there are lots of blogs and performance tests out there, (one such blog), that you can look at and decide which is best.

So continuing along the lines that you have demonstrated, then this may be of some help to you.

Javascript

/*jslint maxerr: 50, indent: 4, browser: true */

var trim = (function () {
    "use strict";

    function escapeRegex(string) {
        return string.replace(/[\[\](){}?*+\^$\\.|\-]/g, "\\$&");
    }

    return function trim(str, characters, flags) {
        flags = flags || "g";
        if (typeof str !== "string" || typeof characters !== "string" || typeof flags !== "string") {
            throw new TypeError("argument must be string");
        }

        if (!/^[gi]*$/.test(flags)) {
            throw new TypeError("Invalid flags supplied '" + flags.match(new RegExp("[^gi]*")) + "'");
        }

        characters = escapeRegex(characters);

        return str.replace(new RegExp("^[" + characters + "]+|[" + characters + "]+$", flags), '');
    };
}());

/*jslint devel: true */

console.log(trim(" - hello** +", "+*- "));

On jsfiddle

Of course, you can customise which characters you wish to escape, or flags to test for, as per your own needs. Regular Expressions

share|improve this answer
add comment

Your Answer

 
discard

By posting your answer, you agree to the privacy policy and terms of service.

Not the answer you're looking for? Browse other questions tagged or ask your own question.