次の内容を含むテキスト ファイルがあります。
0 12
1 15
2 6
3 4
4 3
5 6
6 12
7 8
8 8
9 9
10 13
2 つの行の間にスペースはありませんが、2 つの数字の間にスペースがあります。これらの整数をtxtファイルから読み取り、2つの列をC#.Cnの2つの異なる配列に保存したい
次の内容を含むテキスト ファイルがあります。
0 12
1 15
2 6
3 4
4 3
5 6
6 12
7 8
8 8
9 9
10 13
2 つの行の間にスペースはありませんが、2 つの数字の間にスペースがあります。これらの整数をtxtファイルから読み取り、2つの列をC#.Cnの2つの異なる配列に保存したい
次のことを試してください。
var r = File.ReadAllLines(path)
.Select(line => line.Split(' '))
.Select(arr => new
{
Column0 = Int32.Parse(arr[0]),
Column1 = Int32.Parse(arr[1])
// etc
})
.ToArray();
それで:
int[] column0 = r.Select(x => x.Column0).ToArray(); // note double loop over r
int[] column1 = r.Select(x => x.Column1).ToArray();
またはより長く、より効率的:
int[] column0 = new int[r.Length], column1 = new int[r.Length];
for (int i = 0; i < r.Length; i++) // single loop over r
{
column0[i] = t[i].Column0;
column1[i] = t[i].Column1;
}
またはさらに長くなりますが、さらに効率的です(一般的に言えば):
List<int> column0 = new List<int>(), column1 = new List<int>();
using (Stream stream = File.Open(path, FileMode.Open))
using (TextReader sr = new StreamReader(stream, Encoding.UTF8))
{
string line;
while ((line = sr.ReadLine()) != null)
{
string[] arr = line.Split(' ');
column0.Add(Int32.Parse(arr[0]);
column1.Add(Int32.Parse(arr[1]);
}
}
結果を反復/表示するには (ゼロ インデックス ベース、つまり行 0、1 など):
for (int i = 0; i < column0.Length; i++)
{
Console.WriteLine("Line {0}: column 0: {1}, column 1: {2}", i, column0[i], column1[i]);
}
信頼性を高めるには、Int32.Parse の代わりに関数を使用します。
static int Parse(string input)
{
int i;
if (!Int32.TryParse(intput, out i)
throw new Exception("Can't parse " + input);
return i;
}
次のコードも確認できます。
string data = string.Empty;
List<int[]> intarray = new List<int[]>();
void ReadData()
{
data = File.ReadAllText("Input.txt");
}
List<int[]> Getdata()
{
string[] lines = data.Split('\n', '\r');
foreach (string line in lines)
{
if(!string.IsNullOrEmpty(line.Trim()))
{
int[] intdata = new int[2];
string[] d = line.Split(' ');
intdata[0] = Convert.ToInt32(d[0]);
intdata[1] = Convert.ToInt32(d[1]);
intarray.Add(intdata);
intdata = null;
}
}
return intarray;
}