我想将下面的字符串转换为提供的输出。

Input:  "\\test\red\bob\fred\new"
Output: "testredbobfrednew"

我还没有找到任何解决方案,将处理特殊字符,如\r, \n, \b等。

基本上我只是想去掉所有不是字母数字的东西。以下是我尝试过的方法……

Attempt 1: "\\test\red\bob\fred\new".replace(/[_\W]+/g, "");
Output 1:  "testedobredew"

Attempt 2: "\\test\red\bob\fred\new".replace(/['`~!@#$%^&*()_|+-=?;:'",.<>\{\}\[\]\\\/]/gi, "");
Output 2:  "testedobred [newline] ew"

Attempt 3: "\\test\red\bob\fred\new".replace(/[^a-zA-Z0-9]/, "");
Output 3:  "testedobred [newline] ew"

Attempt 4: "\\test\red\bob\fred\new".replace(/[^a-z0-9\s]/gi, '');
Output 4:  "testedobred [newline] ew"

另一次尝试有多个步骤

function cleanID(id) {
    id = id.toUpperCase();
    id = id.replace( /\t/ , "T");
    id = id.replace( /\n/ , "N");
    id = id.replace( /\r/ , "R");
    id = id.replace( /\b/ , "B");
    id = id.replace( /\f/ , "F");
    return id.replace( /[^a-zA-Z0-9]/ , "");
}

结果

Attempt 1: cleanID("\\test\red\bob\fred\new");
Output 1: "BTESTREDOBFREDNEW"

任何帮助都将不胜感激。

工作方案:

Final Attempt 1: return JSON.stringify("\\test\red\bob\fred\new").replace( /\W/g , '');
Output 1: "testredbobfrednew"

当前回答

这里有一个你可以用的例子,

function removeNonAlphaNumeric(str){
    return str.replace(/[\W_]/g,"");
}

removeNonAlphaNumeric("0_0 (: /-\ :) 0-0");

其他回答

要包含阿拉伯字母和英语字母,你可以使用:

// Output: نصعربي
"ن$%^&*(ص ع___ربي".replace(/[^0-9a-z\u0600-\u06FF]/gi, '');

这里有一个你可以用的例子,

function removeNonAlphaNumeric(str){
    return str.replace(/[\W_]/g,"");
}

removeNonAlphaNumeric("0_0 (: /-\ :) 0-0");

目前所有的答案都有怪癖,我能想到的最好的答案是:

string.replace(/[^A-Za-z0-9]/g, '');

下面的例子囊括了我能在键盘上找到的每个键:

var string = '123abcABC-_*(!@#$%^&*()_-={}[]:\"<>,.?/~`';
var stripped = string.replace(/[^A-Za-z0-9]/g, '');
console.log(stripped);

产出:“123abcABC”。

问题不在于如何替换字符,而在于如何输入字符串。

只有输入中的第一个反斜杠是反斜杠字符,其他的都是控制字符\r, \b, \f和\n的一部分。

由于这些反斜杠不是单独的字符,而是编写单个控制字符的符号的一部分,因此不能单独删除它们。也就是说,你不能从\n中删除反斜杠,因为它不是两个独立的字符,这是你写控制字符LF或换行的方式。

如果你真的想把输入转换成想要的输出,你需要用相应的字母替换每个控制字符,例如,用字符n替换字符\n。

要替换一个控制字符,你需要使用像[\r]这样的字符集,因为\r在正则表达式中有特殊的含义:

var input = "\\test\red\bob\fred\new";

var output = input
    .replace(/[\r]/g, 'r')
    .replace(/[\b]/g, 'b')
    .replace(/[\f]/g, 'f')
    .replace(/[\n]/g, 'n')
    .replace(/\\/g, '');

演示:http://jsfiddle.net/SAp4W/

您可以使用\p{L}或\p{Letter}查找来自任何语言的字母,使用\d查找数字。

str.replace(/[^\p{L}\d]/gu, '')

^否定字符集:不是\P{L},也不是\d

国旗:

G(全局)执行尽可能多的替换 u (unicode)来识别unicode转义序列(如\p{L})。

例子: 函数removenonalphannumeric (str) { 返回str.replace(/[^\p{L}\d]/gu, ") } 序列= [ “asde5kfjdk ?”, “uQjoFß^ß我霁的美元, '无论3如何?!”, 的ф@ #ево1 ' ] 对于(seq of sequences) { console.log (removeNonAlphaNumeric (seq)) }