developer tip

쉼표로 구분 된 문자열을 배열로 변환하는 방법은 무엇입니까?

copycodes 2020. 9. 30. 11:04
반응형

쉼표로 구분 된 문자열을 배열로 변환하는 방법은 무엇입니까?


배열로 변환하려는 쉼표로 구분 된 문자열이 있으므로 반복 할 수 있습니다.

이 작업을 수행하기 위해 내장 된 것이 있습니까?

예를 들어 나는이 문자열이

var str = "January,February,March,April,May,June,July,August,September,October,November,December";

이제 이것을 쉼표로 나누고 Array 개체에 저장하고 싶습니다.


var array = string.split(',');

MDN 참조limit . 매개 변수의 예상치 못한 동작에 주로 유용합니다 . (힌트 : "a,b,c".split(",", 2)에 나온다 ["a", "b"]하지 ["a", "b,c"].)


1,2,3,4,5와 같은 정수를 목표로하는지주의하십시오. 문자열을 분할 한 후 문자열이 아닌 정수로 배열의 요소를 사용하려는 경우 이러한 요소로 변환하는 것이 좋습니다.

var str = "1,2,3,4,5,6";
var temp = new Array();
// this will return an array with strings "1", "2", etc.
temp = str.split(",");

이와 같은 루프 추가

for (a in temp ) {
    temp[a] = parseInt(temp[a], 10); // Explicitly include base as per Álvaro's comment
}

문자열이 아닌 정수를 포함하는 배열을 반환합니다.


흠 분할은 위험한 imho입니다. 문자열에는 항상 쉼표가 포함될 수 있으므로 다음 사항을 준수하십시오.

var myArr = "a,b,c,d,e,f,g,','";
result = myArr.split(',');

그럼 어떻게 하시겠습니까? 결과는 무엇입니까? 다음을 포함하는 배열 :

['a', 'b', 'c', 'd', 'e', 'f', 'g', '\'', '\''] or 
['a', 'b', 'c', 'd', 'e', 'f', 'g', ',']

쉼표를 이스케이프해도 문제가 발생합니다.

이것을 신속하게 조합했습니다.

(function($) {
    $.extend({
        splitAttrString: function(theStr) {
            var attrs = [];

            var RefString = function(s) {
                this.value = s;
            };
            RefString.prototype.toString = function() {
                return this.value;
            };
            RefString.prototype.charAt = String.prototype.charAt;
            var data = new RefString(theStr);

            var getBlock = function(endChr, restString) {
                var block = '';
                var currChr = '';
                while ((currChr != endChr) && (restString.value !== '')) {
                    if (/'|"/.test(currChr)) {
                        block = $.trim(block) + getBlock(currChr, restString);
                    }
                    else if (/\{/.test(currChr)) {
                        block = $.trim(block) + getBlock('}', restString);
                    }
                    else if (/\[/.test(currChr)) {
                        block = $.trim(block) + getBlock(']', restString);
                    }
                    else {
                        block += currChr;
                    }
                    currChr = restString.charAt(0);
                    restString.value = restString.value.slice(1);
                }
                return $.trim(block);
            };

            do {
                var attr = getBlock(',', data);
                attrs.push(attr);
            }
            while (data.value !== '');
            return attrs;
        }
    });
})(jQuery);

자유롭게 사용 / 편집하십시오 :)


split () 메서드는 문자열을 하위 문자열 배열로 분할하는 데 사용되며 새 배열을 반환합니다.

var array = string.split(',');

다음 사항에 유의하십시오.

 var a = "";
var x = new Array();
x = a.split(",");
alert(x.length);

알림 1


쉼표로 구분 된 문자열을이 함수에 전달하면 배열이 반환되고, 쉼표로 구분 된 문자열이 발견되지 않으면 null이 반환됩니다.

 function SplitTheString(CommaSepStr) {
       var ResultArray = null; 

        if (CommaSepStr!= null) {
            var SplitChars = ',';
            if (CommaSepStr.indexOf(SplitChars) >= 0) {
                ResultArray = CommaSepStr.split(SplitChars);

            }
        }
       return ResultArray ;
    }

반환 기능

var array = (new Function("return [" + str+ "];")());

허용 문자열 및 객체 문자열

var string = "0,1";

var objectstring = '{Name:"Tshirt", CatGroupName:"Clothes", Gender:"male-female"}, {Name:"Dress", CatGroupName:"Clothes", Gender:"female"}, {Name:"Belt", CatGroupName:"Leather", Gender:"child"}';

var stringArray = (new Function("return [" + string+ "];")());

var objectStringArray = (new Function("return [" + objectstring+ "];")());

JSFiddle https://jsfiddle.net/7ne9L4Lj/1/


나는이 질문에 대해 꽤 오랫동안 답변을 받았음을 알고 있지만, 내 기여가이 주제를 연구하는 다른 사람들에게 도움이 될 것이라고 생각했습니다 ...

Here is a function that will convert a string to an array, even if there is only one item in the list (no separator character):

function listToAray(fullString, separator) {
  var fullArray = [];

  if (fullString !== undefined) {
    if (fullString.indexOf(separator) == -1) {
      fullAray.push(fullString);
    } else {
      fullArray = fullString.split(separator);
    }
  }

  return fullArray;
}

Use it like this:

var myString = 'alpha,bravo,charlie,delta';
var myArray = listToArray(myString, ',');
myArray[2]; // charlie

var yourString = 'echo';
var yourArray = listToArray(yourString, ',');
yourArray[0]; // echo

I created this function because split throws out an error if there is no separator character in the string (only one item)


I had a similar issue, but more complex as I needed to transform a csv into an array of arrays (each line is one array element that inside has an array of items split by comma).

The easiest solution (and more secure I bet) was to use PapaParse (http://papaparse.com/) which has a "no-header" option that transform the csv into an array of arrays, plus, it automatically detected the "," as my delimiter.

Plus, it is registered in bower, so I only had to:

bower install papa-parse --save

and then use it in my code as follows:

var arrayOfArrays = Papa.parse(csvStringWithEnters), {header:false}).data;

I really liked it.


let str = "January,February,March,April,May,June,July,August,September,October,November,December"

let arr = str.split(',');

it will result:

["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"]

and if you want to convert following to:

["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"]

this:

"January,February,March,April,May,June,July,August,September,October,November,December";

use:

str = arr.join(',')

good solution for that

let obj = ['A','B','C']

obj.map((c) => { return c. }).join(', ')

참고URL : https://stackoverflow.com/questions/2858121/how-to-convert-a-comma-separated-string-to-an-array

반응형