1

我想做的是:拿一个字符串

  1. 删除任何不是字母和数字字符的内容。
  2. 我还试图将任何空白变成-,(多个空白将变成一个-)
  3. 全部转换为小写

这样做的原因是从用户输入生成一个友好的 URL

这就是我到目前为止所拥有的一切

var str = "This is    a really bad Url _, *7% !";
result1 = str.replace(/\s+/g, '-').toLowerCase();
alert(result1); 
4

5 回答 5

3

这可以解决问题

var str = "This is    a really bad Url _, *7% !";
result1 = str.replace(/[^a-zA-Z0-9\s]/g, '') // Remove non alphanum except whitespace
             .replace(/^\s+|\s+$/, '')      // Remove leading and trailing whitespace
             .replace(/\s+/g, '-')          // Replace (multiple) whitespaces with a dash
             .toLowerCase();
alert(result1); 

结果 :

this-is-a-really-bad-url-7
于 2013-07-08T14:08:02.513 回答
0

你可以这样做

var output=input.replace(/[^A-Za-z\d\s]+/g,"").replace(/\s+/g," ").toLowerCase();
于 2013-07-08T14:04:09.157 回答
0

我只是扩展你已经得到的内容:首先将空格转换为连字符,然后用空字符串替换除字母、数字和连字符之外的所有内容 - 最后转换为小写:

var str = "This is    a really bad Url _, *7% !";
result1 = str.replace(/\s+/g, '-').replace(/[^a-zA-Z\d-]/g, '').toLowerCase();
alert(result1);

您还需要考虑如何处理字符串中的初始连字符 ('-')。我上面的代码将保留它们。如果您也希望将它们删除,则将第二行更改为

result1 = str.replace(/[^A-Za-z\d\s]/g, '').replace(/\s+/g, '-').toLowerCase();
于 2013-07-08T14:04:37.813 回答
0
var str = "This is    a really bad Url _, *7% !";
result1 = str
            .replace(/[^A-Za-z\d\s]+/g, "")  //delete all non alphanumeric characters, don't touch the spaces
            .replace(/\s+/g, '-')             //change the spaces for -
            .toLowerCase();                   //lowercase

alert(result1); 
于 2013-07-08T14:05:17.773 回答
0

我看了所有这些,有些错过了一些东西。

var stripped = string.toLowerCase() // first lowercase for it to be easier
            .replace(/^\s+|\s+$/, '') // THEN leading and trailing whitespace. We do not want "hello-world-"
            .replace(/\s+/g, '-') // THEN replace spaces with -
            .replace(/[^a-z0-9-\s]/g, '');// Lastly
于 2016-05-13T20:56:11.953 回答