如何将()分隔string拆分为List <String>

我有这样的代码:

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(','); . . . 

…给我,“ 不能隐式转换types'string[]'为'System.Collections.Generic.List'

string.Split()返回一个数组 – 你可以使用ToList()把它转换成一个列表:

 listStrLineElements = line.Split(',').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()的列表

 string[] thisArray = myString.Split('/');//<string1/string2/string3/---> List<string> myList = new List<string>(); //make a new string list myList.AddRange(thisArray); 

使用AddRange传递string[]并获得一个string列表。

这将读取一个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; } 

只要你可以使用using System.Linq;

 List<string> stringList = line.Split(',') // this is array .ToList(); // this is a list which you can loop in all split string