나는이 코드를 가지고 있었다 :
String[] lineElements;
. . .
try
{
using (StreamReader sr = new StreamReader("TestFile.txt"))
{
String line;
while ((line = sr.ReadLine()) != null)
{
lineElements = line.Split(',');
. . .
그러나 대신 List와 함께 가야한다고 생각했습니다. 그러나이 코드 :
List<String> listStrLineElements;
. . .
try
{
using (StreamReader sr = new StreamReader("TestFile.txt"))
{
String line;
while ((line = sr.ReadLine()) != null)
{
listStrLineElements = line.Split(',');
. . .
… ” ‘string []’형식을 ‘System.Collections.Generic.List’로 암시 적으로 변환 할 수 없습니다. “
답변
string.Split()
배열을 반환합니다. 다음을 사용하여 목록으로 변환 할 수 있습니다 ToList()
.
listStrLineElements = line.Split(',').ToList();
기능 System.Linq
에 액세스하려면 가져와야 .ToList()
합니다.
답변
어느 쪽이든 사용하십시오 :
List<string> list = new List<string>(array);
또는 LINQ에서 :
List<string> list = array.ToList();
또는 특정 구현에 의존하지 않도록 코드를 변경하십시오.
IList<string> list = array; // string[] implements IList<string>
답변
네임 스페이스를 사용하여 포함 System.Linq
List<string> stringList = line.Split(',').ToList();
각 항목을 반복하여 쉽게 사용할 수 있습니다.
foreach(string str in stringList)
{
}
String.Split()
배열을 반환하므로 다음을 사용하여 목록으로 변환하십시오. ToList()
답변
그냥 당신과 함께 사용할 수 있습니다 using System.Linq;
List<string> stringList = line.Split(',') // this is array
.ToList(); // this is a list which you can loop in all split string
답변
이 줄을보십시오 :
List<string> stringList = line.Split(',').ToList();
답변
이것은 CSV 파일을 읽고 큰 따옴표를 처리하는 CSV 라인 스플리터를 포함하며 Excel이 열었더라도 읽을 수 있습니다.
public List<Dictionary<string, string>> LoadCsvAsDictionary(string path)
{
var result = new List<Dictionary<string, string>>();
var fs = new FileStream(path, FileMode.Open, FileAccess.Read, FileShare.ReadWrite);
System.IO.StreamReader file = new System.IO.StreamReader(fs);
string line;
int n = 0;
List<string> columns = null;
while ((line = file.ReadLine()) != null)
{
var values = SplitCsv(line);
if (n == 0)
{
columns = values;
}
else
{
var dict = new Dictionary<string, string>();
for (int i = 0; i < columns.Count; i++)
if (i < values.Count)
dict.Add(columns[i], values[i]);
result.Add(dict);
}
n++;
}
file.Close();
return result;
}
private List<string> SplitCsv(string csv)
{
var values = new List<string>();
int last = -1;
bool inQuotes = false;
int n = 0;
while (n < csv.Length)
{
switch (csv[n])
{
case '"':
inQuotes = !inQuotes;
break;
case ',':
if (!inQuotes)
{
values.Add(csv.Substring(last + 1, (n - last)).Trim(' ', ','));
last = n;
}
break;
}
n++;
}
if (last != csv.Length - 1)
values.Add(csv.Substring(last + 1).Trim());
return values;
}
답변
string[] thisArray = myString.Split('/');//<string1/string2/string3/--->
List<string> myList = new List<string>(); //make a new string list
myList.AddRange(thisArray);
문자열 목록 AddRange
을 전달 string[]
하고 얻는 데 사용 합니다.