如何拆分字符串,在特定字符处断开?

IT技术 javascript string-split
2021-01-22 20:49:59

我有这个字符串

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

使用 JavaScript,将其解析为的最快方法是什么

var name = "john smith";
var street= "123 Street";
//etc...
6个回答

使用 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.

根据 ECMAScript6 ES6,干净的方法是解构数组:

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

const [name, street, unit, city, state, zip] = input.split('~');

console.log(name); // john smith
console.log(street); // 123 Street
console.log(unit); // Apt 4
console.log(city); // New York
console.log(state); // NY
console.log(zip); // 12345

输入字符串中可能有额外的项目。在这种情况下,您可以使用 rest 运算符来获取其余的数组或忽略它们:

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

const [name, street, ...others] = input.split('~');

console.log(name); // john smith
console.log(street); // 123 Street
console.log(others); // ["Apt 4", "New York", "NY", "12345"]

我假设值的只读引用并使用了const声明。

享受 ES6!

你也可以跳过一个项目: const [name, , unit, ...others] = ...
2021-04-08 20:49:59

你不需要jQuery。

var s = 'john smith~123 Street~Apt 4~New York~NY~12345';
var fields = s.split(/~/);
var name = fields[0];
var street = fields[1];
您不需要向这个简单的替换添加正则表达式。如果有的话,它只会让它变慢。您可以将其更改为引号以进行简单的字符串替换。
2021-03-25 20:49:59

即使这不是最简单的方法,您也可以这样做:

var addressString = "~john smith~123 Street~Apt 4~New York~NY~12345~",
    keys = "name address1 address2 city state zipcode".split(" "),
    address = {};

// clean up the string with the first replace
// "abuse" the second replace to map the keys to the matches
addressString.replace(/^~|~$/g).replace(/[^~]+/g, function(match){
    address[ keys.unshift() ] = match;
});

// address will contain the mapped result
address = {
    address1: "123 Street"
    address2: "Apt 4"
    city: "New York"
    name: "john smith"
    state: "NY"
    zipcode: "12345"
}

ES2015 更新,使用解构

const [address1, address2, city, name, state, zipcode] = addressString.match(/[^~]+/g);

// The variables defined above now contain the appropriate information:

console.log(address1, address2, city, name, state, zipcode);
// -> john smith 123 Street Apt 4 New York NY 12345
首先,我们有一个由 '~' 符号分隔的字符串和一个keys. 第二个替换函数[^~]+用于匹配每个不同的部分(即“123 Street”、“Apt 4”等)并为每个部分调用该函数,将其作为参数传递。在每次运行时,该函数从键数组中获取第一个键(也使用 Array.unshift 删除它)并将键和部分分配给地址对象。
2021-03-09 20:49:59

您将需要查看 JavaScript 的substrsplit,因为这并不是真正适合 jQuery 的任务。