Suporte nativo a C # para verificar se um IEnumerable está classificado?

Existe algum suporte ao LINQ para verificar se umIEnumerable<T> está classificado? Eu tenho um enumerável que eu quero verificar é classificado em ordem não decrescente, mas não consigo encontrar o suporte nativo para ele em c #.

Eu escrevi meu próprio método de extensão usandoIComparables<T>:

public static bool IsSorted<T>(this IEnumerable<T> collection) where T : IComparable<T>
{
   Contract.Requires(collection != null);

   using (var enumerator = collection.GetEnumerator())
   {
      if (enumerator.MoveNext())
      {
         var previous = enumerator.Current;

         while (enumerator.MoveNext())
         {
            var current = enumerator.Current;

            if (previous.CompareTo(current) > 0)
               return false;

            previous = current;
         }
      }
   }

   return true;
}

E um usando umIComparer<T> objeto:

public static bool IsSorted<T>(this IEnumerable<T> collection, IComparer<T> comparer)
{
   Contract.Requires(collection != null);

   using (var enumerator = collection.GetEnumerator())
   {
      if (enumerator.MoveNext())
      {
          var previous = enumerator.Current;

         while (enumerator.MoveNext())
         {
            var current = enumerator.Current;

            if (comparer.Compare(previous, current) > 0)
                return false;

            previous = current;
         }
      }
   }

   return true;
}

questionAnswers(5)

yourAnswerToTheQuestion