[javascript] 문자열을 분리하여 특정 문자를 어떻 게 분리합니까?

나는이 끈이있다

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

JavaScript를 사용하여 이것을 파싱하는 가장 빠른 방법은 무엇입니까?

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



답변

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.


답변

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];


답변

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을 즐기십시오!


답변

이것이 가장 간단한 방법은 아니지만 이렇게 할 수 있습니다.

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


답변

실제로 jQuery에 적합한 작업이 아니기 때문에 JavaScript의 substr 또는 split 을 살펴보고 싶을 것 입니다.


답변

가장 쉬운 방법은 다음과 같습니다.

var address = theEncodedString.split(/~/)
var name = address[0], street = address[1]


답변

경우 Spliter은 발견

나눠

그렇지 않으면 같은 문자열을 반환

function 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];
        }
    }
}