1

我被分配了一个简单的任务,我似乎无法弄清楚如何完成它。

我得到了一个文本文件,其中包含员工的姓名和工资率/小时数。格式如下:

Mary Jones
12.50 30
Bill Smith
10.00 40
Sam Brown
9.50 40

我的任务是编写一个程序,使用 StreamReader 从文本文件中提取数据,然后打印员工姓名,并通过乘以费率和小时数来计算总工资。

我知道如何使用 .Split 方法拆分行,但是我似乎无法弄清楚如何将名称与双精度/整数分开。我的解析方法总是返回格式错误,因为它首先读取字符串。我完全被困住了。

到目前为止,这是我的代码,任何帮助或指导将不胜感激。

using System;
using System.IO;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace lab21
{
    class Program
    {
        static void Main(string[] args)
        {

            StreamReader myfile = new StreamReader("data.txt");
            string fromFile;

            do
            {
                fromFile = myfile.ReadLine();
                if (fromFile != null)
                {
                    string[] payInfo = fromFile.Split( );
                    double wage = double.Parse(payInfo[0]);
                    int hours = int.Parse(payInfo[1]);
                    Console.WriteLine(fromFile);
                    Console.WriteLine(wage * hours);
                }
            } while (fromFile != null);
        }
    }
}
4

4 回答 4

5

您只在循环中读取一行。员工记录似乎由行组成 - 因此您需要在每次迭代时阅读这两行。(或者,您可以跟踪您正在执行哪一行,但这会很痛苦。)我会将循环重写为:

string name;
while ((name = reader.ReadLine()) != null)
{
    string payText = reader.ReadLine();
    if (payText == null)
    {
        // Or whatever exception you want to throw...
        throw new InvalidDataException("Odd number of lines in file");
    }
    Employee employee = ParseTextValues(name, payText);
    Console.WriteLine("{0}: {1}", employee.Name, employee.Hours * employee.Wage);
}

然后有一个单独的方法来解析这两个值,这样会更容易测试。

解析时,请注意您应该使用decimal而不是double表示货币值。

于 2012-07-26T06:30:52.657 回答
1

使用Decimal.Parseread two line

do
{
    name = myfile.ReadLine();
    if (name != null)
    {
        // read second line
        var nums = myfile.ReadLine();
        if (nums != null)
        {
            string[] payNums = nums.Split(new[] {' '});
            Console.WriteLine("{0}: {1}", 
                              name,
                              Decimal.Parse(payNums[0])
                              * Decimal.Parse(payNums[1]));
        }
    }
} while (name != null);
于 2012-07-26T06:35:51.917 回答
0

您应该使用 int.TryParse(string, out int) (int 和 double)。如果它失败了,你可能有一个字符串,否则,你很幸运。

有了这些数据,你知道每一行都是一个字符串,你可能也应该把它放在代码中,你可以有一个索引/计数,当它不均匀时,你应该期待一个字符串。

于 2012-07-26T06:32:15.640 回答
0

你也可以试试这个。非常简单的修改。

do
{
    fromFile = myfile.ReadLine();
    fromFile += @" " + myfile.ReadLine();
    if (fromFile != null)
    {
         string[] payInfo = fromFile.Split( );
         double wage = double.Parse(payInfo[2]);
         int hours = int.Parse(payInfo[3]);
         Console.WriteLine(fromFile);
         Console.WriteLine(wage * hours);
    }
} while (fromFile != null);
于 2012-07-26T06:54:58.770 回答