Welcome to Software Development on Codidact!
Will you help us build our independent community of developers helping developers? We're small and trying to grow. We welcome questions about all aspects of software development, from design to code to QA and more. Got questions? Got answers? Got code you'd like someone to review? Please join us.
Post History
That's nice that you're provided your attempts but, as it was already mentioned in comments, it would be better to show us all the parts. Again, if you're not sure how to write it properly in C# th...
Answer
#1: Initial revision
That's nice that you're provided your attempts but, as it was already mentioned in comments, it would be better to show us all the parts. Again, if you're not sure how to write it properly in C# that's fine - just show us some pseudo-code and we help you from there. Anyway, this is a simple task to find the maximum value among some sequence of data. The most obvious algorithm would be: 1. Pick some initial value (*) as a "local" maximum. 2. Read a value. 3. Compare a local maximum with the current value. 4. Assign the biggest one from these two as a local maximum. 5. Repeat step 2 - 4 until the whole sequence is over. [*] You can take the first value in a sequence as an initial. First step is done, now it's time to actually write some code. Let's start with creating a class that represents data in the file. This isn't necessary step for this task but I still suggest you to use it since it might be useful in the future: ```cs public class Student { public Student(string name, string surname, uint score) { Name = name; Surname = surname; Score = score; } public string Name { get; } public string Surname { get; } public uint Score { get; } public override string ToString() => $"{Name} {Surname} [{Score}]"; } ``` Now, when data is described, we can parse it and do something with it. Using LINQ is probably easiest way: ```cs const string filepath = "TestData.csv"; var bestStudent = File.ReadLines(filepath) .Skip(1) // skip header .Aggregate<string, Student>(null, (acc, line) => { var fields = line.Split(',', StringSplitOptions.RemoveEmptyEntries); var student = new Student(fields[0], fields[1], uint.Parse(fields[2])); if (acc is null || acc.Score < student.Score) { return student; } return acc; }); if (bestStudent is null) { Console.WriteLine("Input file is empty"); } else { Console.WriteLine("Student with a highest mark:"); Console.WriteLine(bestStudent); } ``` I didn't write code that validate input (which you should do) since it's unrelated to this task. As well as I used only `,` symbol as a separator to parse a line. I'd suggest considering using some library to parse `.csv` file.