我需要读取一个文件并将该数据放入不同的数组中。
我的.txt文件如下:
w1;
1 2 3
w2;
3 4 5
w3;
4 5 6
我尝试过以下内容:
int[] w1 = new int [3];
int[] w2 = new int [3];
int[] w3 = new int [3];
string v = "w1:|w2:|w3:";
foreach (string line in File.ReadAllLines(@"D:\\Data.txt"))
{
string[] parts = Regex.Split(line, v);
我得到了那个字符串,但我不知道如何将它的每个元素剪切到上面显示的数组。
答案 0 :(得分:3)
我不会解析文件并将数组放入与硬编码名称w1
,w2
和w3
对应的三个硬编码变量中,而是删除硬编码并将文件解析为{ {1}}喜欢这样:
Dictionary<string, int[]>
你会按如下方式使用它:
public static class DataFileExtensions
{
public static Dictionary<string, int[]> ParseDataFile(string fileName)
{
var separators = new [] { ' ' };
var query = from pair in File.ReadLines(fileName).Chunk(2)
let key = pair[0].TrimEnd(';')
let value = (pair.Count < 2 ? "" : pair[1]).Split(separators, StringSplitOptions.RemoveEmptyEntries).Select(s => int.Parse(s, NumberFormatInfo.InvariantInfo)).ToArray()
select new { key, value };
return query.ToDictionary(p => p.key, p => p.value);
}
}
public static class EnumerableExtensions
{
// Adapted from the answer to "Split List into Sublists with LINQ" by casperOne
// https://stackoverflow.com/questions/419019/split-list-into-sublists-with-linq/
// https://stackoverflow.com/a/419058
// https://stackoverflow.com/users/50776/casperone
public static IEnumerable<List<T>> Chunk<T>(this IEnumerable<T> enumerable, int groupSize)
{
// The list to return.
List<T> list = new List<T>(groupSize);
// Cycle through all of the items.
foreach (T item in enumerable)
{
// Add the item.
list.Add(item);
// If the list has the number of elements, return that.
if (list.Count == groupSize)
{
// Return the list.
yield return list;
// Set the list to a new list.
list = new List<T>(groupSize);
}
}
// Return the remainder if there is any,
if (list.Count != 0)
{
// Return the list.
yield return list;
}
}
}
哪个输出:
var dictionary = DataFileExtensions.ParseDataFile(fileName);
Console.WriteLine("Result of parsing {0}, encountered {1} data arrays:", fileName, dictionary.Count);
foreach (var pair in dictionary)
{
var name = pair.Key;
var data = pair.Value;
Console.WriteLine(" Data row name = {0}, values = [{1}]", name, string.Join(",", data));
}
注意:
我使用NumberFormatInfo.InvariantInfo
解析整数值,以确保在所有语言环境中解析的一致性。
我使用this answer到 Split List into Sublists with LINQ 的casperOne方法的轻微修改版本,将文件的行分成两个块}。
在将文件分成几行线条后,我从每对中的第一行修剪Result of parsing Question49341548.txt, encountered 3 data arrays:
Data row name = w1, values = [1,2,3]
Data row name = w2, values = [3,4,5]
Data row name = w3, values = [4,5,6]
并将其用作字典键。每对中的第二行被解析为整数值数组。
如果名称;
,w1
等不是唯一的,则可以通过将Lookup<string, int []>
替换为ToDictionary()
来反序列化为ToLookup()
}。
我不是使用File.ReadAllLines()
预先将整个文件加载到内存中,而是按顺序使用File.ReadLines()
进行枚举。这应该减少内存使用而不会增加任何复杂性。
示例工作.Net fiddle。
答案 1 :(得分:2)
您的RegEx实际上没有做任何事情,您已经有一个数组,每行分开。你想要做的只是忽略不是数据的行:
var lines = File.ReadAllLines(@"D:\\Data.txt");
for (int i = 1; i < lines.Length; i += 2) // i.e indexes 1, 3 and 5
{
string[] numbers = lines[i].Split(' ');
}
或者,您可以在给定您知道订单的情况下进行分配:
w1 = lines[1].Split(' ');
w2 = lines[3].Split(' ');
w3 = lines[5].Split(' ');