所以我有这个txt文件,其中包含一组不同的数字。 如何让程序读取该文件并显示:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.IO;
namespace laboratorinis7
{
class Program
{
static void Main(string[] args)
{
string skaiciai = "skaiciai.txt";
string rodymas = File.ReadAllText(skaiciai);
Console.WriteLine(rodymas);
Console.ReadLine();
string[] sa1 = rodymas.Split("\r\n".ToCharArray());
string[] sa2 = new string[0];
int y = 0;
foreach (string s in sa1)
{
if (s == string.Empty) continue;
string[] t = s.Split(' ');
for (int x = 0; x < t.Length; ++x)
{
Array.Resize(ref sa2, sa2.Length + 1);
sa2[y++] = t[x];
}
}
foreach (string S in sa2)
{
Console.WriteLine(S);
}
Console.ReadLine();
}
}
}
它显示txt文件内容但是没有数组。
答案 0 :(得分:2)
您的代码不必要地复杂。使用默认的.Net实现来使您的代码可读和易懂。
string skaiciai = "skaiciai.txt";
string[] lines = File.ReadAllLines(skaiciai); // use this to read all text line by line into array of string
List<int> numberList = new List<int>(); // use list instead of array when length is unknown
for (int i = 0; i < lines.Length; i++)
{
//if (s == string.Empty) continue; // No need to check for that. Split method returns empty array so you will never go inside inner loop.
string[] line = lines[i].Split(' ');
for (int j = 0; j < line.Length; j++)
{
string number = line[j];
int n;
if (int.TryParse(number, out n)) // try to parse string into integer. returns true if succeed.
{
numberList.Add(n); // add converted number into list
}
}
}
// Other way using one line linq to store numbers into list.
//List<int> numberList = lines.SelectMany(x => x.Split(' ')).Select(int.Parse).ToList();
int totalNumbers = numberList.Count;
int sum = numberList.Sum();
int product = numberList.Aggregate((a, b) => a*b);
int min = numberList.Min();
int max = numberList.Max();
double average = sum/(double)totalNumbers;
告诉我你的文本文件是否包含双数,因为那时你必须使用double类型而不是int。
还尝试为变量使用合适的名称。像t
或t1
而不是lines
和line
这样的名称并没有真正描述任何内容,使您的代码更难理解。
如果你有大量的数字,你可能需要使用long
类型或double
如果它们有小数部分。