As I understand it, in Linq the method FirstOrDefault()
can return a Default
value of something other than null. What I haven't worked out is what kind of things other than null can be returned by this (and similar) method when there are no items in the query result. Is there any particular way that this can be set up so that if there is no value for a particular query some predefined value is returned as the default value?
General case, not just for value types:
static class ExtensionsThatWillAppearOnEverything
{
public static T IfDefaultGiveMe<T>(this T value, T alternate)
{
if (value.Equals(default(T))) return alternate;
return value;
}
}
var result = query.FirstOrDefault().IfDefaultGiveMe(otherDefaultValue);
Again, this can't really tell if there was anything in your sequence, or if the first value was the default.
If you care about this, you could do something like
static class ExtensionsThatWillAppearOnIEnumerables
{
public static T FirstOr<T>(this IEnumerable<T> source, T alternate)
{
foreach(T t in source)
return t;
return alternate;
}
}
and use as
var result = query.FirstOr(otherDefaultValue);
although as Mr. Steak points out this could be done just as well by .DefaultIfEmpty(...).First()
.