Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

C# IEnumerable Retrieve The First Record

Tags:

c#

.net

I have an IEnumerable list of objects in C#. I can use a for each to loop through and examine each object fine, however in this case all I want to do is examine the first object is there a way to do this without using a foreach loop?

I've tried mylist[0] but that didnt work.

Thanks

like image 391
Gavin Avatar asked Jun 05 '09 10:06

Gavin


2 Answers

(For the sake of convenience, this answer assumes myList implements IEnumerable<string>; replace string with the appropriate type where necessary.)

If you're using .NET 3.5, use the First() extension method:

string first = myList.First();

If you're not sure whether there are any values or not, you can use the FirstOrDefault() method which will return null (or more generally, the default value of the element type) for an empty sequence.

You can still do it "the long way" without a foreach loop:

using (IEnumerator<string> iterator = myList.GetEnumerator())
{
    if (!iterator.MoveNext())
    {
        throw new WhateverException("Empty list!");
    }
    string first = iterator.Current;
}

It's pretty ugly though :)

In answer to your comment, no, the returned iterator is not positioned at the first element initially; it's positioned before the first element. You need to call MoveNext() to move it to the first element, and that's how you can tell the difference between an empty sequence and one with a single element in.

EDIT: Just thinking about it, I wonder whether this is a useful extension method:

public static bool TryFirst(this IEnumerable<T> source, out T value)
{
    using (IEnumerator<T> iterator = source.GetEnumerator())
    {
        if (!iterator.MoveNext())
        {
            value = default(T);
            return false;
        }
        value = iterator.Current;
        return true;
    }
}
like image 90
Jon Skeet Avatar answered Sep 21 '22 07:09

Jon Skeet


Remember, there may be no "first element" if the sequence is empty.

        IEnumerable<int> z = new List<int>();
        int y = z.FirstOrDefault();
like image 25
Max Galkin Avatar answered Sep 18 '22 07:09

Max Galkin