我有这个字符串

'john smith~123 Street~Apt 4~New York~NY~12345'

使用JavaScript,最快的方法是什么

var name = "john smith";
var street= "123 Street";
//etc...

当前回答

你可以使用split来拆分文本。

作为替代,你也可以使用match,如下所示

var str = 'john smith~123 Street~Apt 4~New York~NY~12345'; 匹配= str.match(/[^~]+/g); console.log(匹配); document . write(匹配);

正则表达式[^~]+将匹配除~之外的所有字符,并在数组中返回匹配的字符。然后可以从中提取匹配项。

其他回答

如果分裂者被发现,那么只有

它会分裂

否则返回相同的字符串

函数 SplitTheString(ResultStr) { if (ResultStr != null) { var splitchars = '~'; if (ResultStr.indexOf(SplitChars) >= 0) { var DtlStr = ResultStr.split(SplitChars); var name = DtlStr[0]; var street = DtlStr[1]; } } }

使用JavaScript的String.prototype.split函数:

var input = 'john smith~123 Street~Apt 4~New York~NY~12345';

var fields = input.split('~');

var name = fields[0];
var street = fields[1];
// etc.

扎克是对的。使用他的方法,你也可以做出一个看似“多维”的数组。我在JSFiddle http://jsfiddle.net/LcnvJ/2/上创建了一个快速示例

// array[0][0] will produce brian
// array[0][1] will produce james

// array[1][0] will produce kevin
// array[1][1] will produce haley

var array = [];
    array[0] = "brian,james,doug".split(",");
    array[1] = "kevin,haley,steph".split(",");

用这个代码——

function myFunction() {
var str = "How are you doing today?";
var res = str.split("/");

}

这string.split(“~”)[0];把事情做好。

来源:String.prototype.split ()


另一种使用curry和函数组合的函数方法。

首先是分裂函数。我们想把这个“john smith~123 Street~ 4 Apt ~New York~NY~12345”变成这个[“john smith”,“123 Street”,“Apt 4”,“New York”,“NY”,“12345”]

const split = (separator) => (text) => text.split(separator);
const splitByTilde = split('~');

现在我们可以使用splitByTilde函数了。例子:

splitByTilde("john smith~123 Street~Apt 4~New York~NY~12345") // ["john smith", "123 Street", "Apt 4", "New York", "NY", "12345"]

要获取第一个元素,可以使用列表操作符[0]。让我们构建第一个函数:

const first = (list) => list[0];

算法是:以冒号分隔,然后获取给定列表的第一个元素。因此,我们可以组合这些函数来构建最终的getName函数。使用reduce构建一个compose函数:

const compose = (...fns) => (value) => fns.reduceRight((acc, fn) => fn(acc), value);

现在用它来组合splitByTilde和first函数。

const getName = compose(first, splitByTilde);

let string = 'john smith~123 Street~Apt 4~New York~NY~12345';
getName(string); // "john smith"