IComparable<T> Интерфейс
Определение
Важно!
Некоторые сведения относятся к предварительной версии продукта, в которую до выпуска могут быть внесены существенные изменения. Майкрософт не предоставляет никаких гарантий, явных или подразумеваемых, относительно приведенных здесь сведений.
Определяет обобщенный метод сравнения, который реализуется типом значения или классом для создания метода сравнения с целью упорядочения или сортировки экземпляров.
generic <typename T>
public interface class IComparable
public interface IComparable<in T>
public interface IComparable<T>
type IComparable<'T> = interface
Public Interface IComparable(Of In T)
Public Interface IComparable(Of T)
Параметры типа
- T
Тип объектов для сравнения.
Это контравариантный параметр типа. Это означает, что вы можете использовать любой из указанных типов или любой тип, являющийся менее производным. Дополнительные сведения о ковариантности и контрвариантности см. в статье Ковариантность и контрвариантность в универсальных шаблонах.- Производный
Примеры
В следующем примере показана IComparable<T> реализация для простого Temperature
объекта . В примере создается SortedList<TKey,TValue> коллекция строк с Temperature
ключами объектов и добавляется несколько пар температур и строк в список вне последовательности. В вызове Add метода SortedList<TKey,TValue> коллекция использует реализацию IComparable<T> для сортировки записей списка, которые затем отображаются в порядке повышения температуры.
#using <System.dll>
using namespace System;
using namespace System::Collections::Generic;
public ref class Temperature: public IComparable<Temperature^> {
protected:
// The underlying temperature value.
Double m_value;
public:
// Implement the generic CompareTo method with the Temperature class
// as the Type parameter.
virtual Int32 CompareTo( Temperature^ other ) {
// If other is not a valid object reference, this instance
// is greater.
if (other == nullptr) return 1;
// The temperature comparison depends on the comparison of the
// the underlying Double values.
return m_value.CompareTo( other->m_value );
}
// Define the is greater than operator.
bool operator>= (Temperature^ other)
{
return CompareTo(other) >= 0;
}
// Define the is less than operator.
bool operator< (Temperature^ other)
{
return CompareTo(other) < 0;
}
// Define the is greater than or equal to operator.
bool operator> (Temperature^ other)
{
return CompareTo(other) > 0;
}
// Define the is less than or equal to operator.
bool operator<= (Temperature^ other)
{
return CompareTo(other) <= 0;
}
property Double Celsius {
Double get() {
return m_value + 273.15;
}
}
property Double Kelvin {
Double get() {
return m_value;
}
void set( Double value ) {
if (value < 0)
throw gcnew ArgumentException("Temperature cannot be less than absolute zero.");
else
m_value = value;
}
}
Temperature(Double kelvins) {
this->Kelvin = kelvins;
}
};
int main() {
SortedList<Temperature^, String^>^ temps =
gcnew SortedList<Temperature^, String^>();
// Add entries to the sorted list, out of order.
temps->Add(gcnew Temperature(2017.15), "Boiling point of Lead");
temps->Add(gcnew Temperature(0), "Absolute zero");
temps->Add(gcnew Temperature(273.15), "Freezing point of water");
temps->Add(gcnew Temperature(5100.15), "Boiling point of Carbon");
temps->Add(gcnew Temperature(373.15), "Boiling point of water");
temps->Add(gcnew Temperature(600.65), "Melting point of Lead");
for each( KeyValuePair<Temperature^, String^>^ kvp in temps )
{
Console::WriteLine("{0} is {1} degrees Celsius.", kvp->Value, kvp->Key->Celsius);
}
}
/* The example displays the following output:
Absolute zero is 273.15 degrees Celsius.
Freezing point of water is 546.3 degrees Celsius.
Boiling point of water is 646.3 degrees Celsius.
Melting point of Lead is 873.8 degrees Celsius.
Boiling point of Lead is 2290.3 degrees Celsius.
Boiling point of Carbon is 5373.3 degrees Celsius.
*/
using System;
using System.Collections.Generic;
public class Temperature : IComparable<Temperature>
{
// Implement the generic CompareTo method with the Temperature
// class as the Type parameter.
//
public int CompareTo(Temperature other)
{
// If other is not a valid object reference, this instance is greater.
if (other == null) return 1;
// The temperature comparison depends on the comparison of
// the underlying Double values.
return m_value.CompareTo(other.m_value);
}
// Define the is greater than operator.
public static bool operator > (Temperature operand1, Temperature operand2)
{
return operand1.CompareTo(operand2) > 0;
}
// Define the is less than operator.
public static bool operator < (Temperature operand1, Temperature operand2)
{
return operand1.CompareTo(operand2) < 0;
}
// Define the is greater than or equal to operator.
public static bool operator >= (Temperature operand1, Temperature operand2)
{
return operand1.CompareTo(operand2) >= 0;
}
// Define the is less than or equal to operator.
public static bool operator <= (Temperature operand1, Temperature operand2)
{
return operand1.CompareTo(operand2) <= 0;
}
// The underlying temperature value.
protected double m_value = 0.0;
public double Celsius
{
get
{
return m_value - 273.15;
}
}
public double Kelvin
{
get
{
return m_value;
}
set
{
if (value < 0.0)
{
throw new ArgumentException("Temperature cannot be less than absolute zero.");
}
else
{
m_value = value;
}
}
}
public Temperature(double kelvins)
{
this.Kelvin = kelvins;
}
}
public class Example
{
public static void Main()
{
SortedList<Temperature, string> temps =
new SortedList<Temperature, string>();
// Add entries to the sorted list, out of order.
temps.Add(new Temperature(2017.15), "Boiling point of Lead");
temps.Add(new Temperature(0), "Absolute zero");
temps.Add(new Temperature(273.15), "Freezing point of water");
temps.Add(new Temperature(5100.15), "Boiling point of Carbon");
temps.Add(new Temperature(373.15), "Boiling point of water");
temps.Add(new Temperature(600.65), "Melting point of Lead");
foreach( KeyValuePair<Temperature, string> kvp in temps )
{
Console.WriteLine("{0} is {1} degrees Celsius.", kvp.Value, kvp.Key.Celsius);
}
}
}
/* This example displays the following output:
Absolute zero is -273.15 degrees Celsius.
Freezing point of water is 0 degrees Celsius.
Boiling point of water is 100 degrees Celsius.
Melting point of Lead is 327.5 degrees Celsius.
Boiling point of Lead is 1744 degrees Celsius.
Boiling point of Carbon is 4827 degrees Celsius.
*/
open System
open System.Collections.Generic
type Temperature(kelvins: double) =
// The underlying temperature value.
let mutable kelvins = kelvins
do
if kelvins < 0. then
invalidArg (nameof kelvins) "Temperature cannot be less than absolute zero."
// Define the is greater than operator.
static member op_GreaterThan (operand1: Temperature, operand2: Temperature) =
operand1.CompareTo operand2 > 0
// Define the is less than operator.
static member op_LessThan (operand1: Temperature, operand2: Temperature) =
operand1.CompareTo operand2 < 0
// Define the is greater than or equal to operator.
static member op_GreaterThanOrEqual (operand1: Temperature, operand2: Temperature) =
operand1.CompareTo operand2 >= 0
// Define the is less than or equal to operator.
static member op_LessThanOrEqual (operand1: Temperature, operand2: Temperature) =
operand1.CompareTo operand2 <= 0
member _.Celsius =
kelvins - 273.15
member _.Kelvin
with get () =
kelvins
and set (value) =
if value < 0. then
invalidArg (nameof value) "Temperature cannot be less than absolute zero."
else
kelvins <- value
// Implement the generic CompareTo method with the Temperature
// class as the Type parameter.
member _.CompareTo(other: Temperature) =
// If other is not a valid object reference, this instance is greater.
match box other with
| null -> 1
| _ ->
// The temperature comparison depends on the comparison of
// the underlying Double values.
kelvins.CompareTo(other.Kelvin)
interface IComparable<Temperature> with
member this.CompareTo(other) = this.CompareTo other
let temps = SortedList()
// Add entries to the sorted list, out of order.
temps.Add(Temperature 2017.15, "Boiling point of Lead")
temps.Add(Temperature 0., "Absolute zero")
temps.Add(Temperature 273.15, "Freezing point of water")
temps.Add(Temperature 5100.15, "Boiling point of Carbon")
temps.Add(Temperature 373.15, "Boiling point of water")
temps.Add(Temperature 600.65, "Melting point of Lead")
for kvp in temps do
printfn $"{kvp.Value} is {kvp.Key.Celsius} degrees Celsius."
// This example displays the following output:
// Absolute zero is -273.15 degrees Celsius.
// Freezing point of water is 0 degrees Celsius.
// Boiling point of water is 100 degrees Celsius.
// Melting point of Lead is 327.5 degrees Celsius.
// Boiling point of Lead is 1744 degrees Celsius.
// Boiling point of Carbon is 4827 degrees Celsius.
Imports System.Collections.Generic
Public Class Temperature
Implements IComparable(Of Temperature)
' Implement the generic CompareTo method with the Temperature class
' as the type parameter.
'
Public Overloads Function CompareTo(ByVal other As Temperature) As Integer _
Implements IComparable(Of Temperature).CompareTo
' If other is not a valid object reference, this instance is greater.
If other Is Nothing Then Return 1
' The temperature comparison depends on the comparison of the
' the underlying Double values.
Return m_value.CompareTo(other.m_value)
End Function
' Define the is greater than operator.
Public Shared Operator > (operand1 As Temperature, operand2 As Temperature) As Boolean
Return operand1.CompareTo(operand2) > 0
End Operator
' Define the is less than operator.
Public Shared Operator < (operand1 As Temperature, operand2 As Temperature) As Boolean
Return operand1.CompareTo(operand2) < 0
End Operator
' Define the is greater than or equal to operator.
Public Shared Operator >= (operand1 As Temperature, operand2 As Temperature) As Boolean
Return operand1.CompareTo(operand2) >= 0
End Operator
' Define the is less than operator.
Public Shared Operator <= (operand1 As Temperature, operand2 As Temperature) As Boolean
Return operand1.CompareTo(operand2) <= 0
End Operator
' The underlying temperature value.
Protected m_value As Double = 0.0
Public ReadOnly Property Celsius() As Double
Get
Return m_value - 273.15
End Get
End Property
Public Property Kelvin() As Double
Get
Return m_value
End Get
Set(ByVal Value As Double)
If value < 0.0 Then
Throw New ArgumentException("Temperature cannot be less than absolute zero.")
Else
m_value = Value
End If
End Set
End Property
Public Sub New(ByVal kelvins As Double)
Me.Kelvin = kelvins
End Sub
End Class
Public Class Example
Public Shared Sub Main()
Dim temps As New SortedList(Of Temperature, String)
' Add entries to the sorted list, out of order.
temps.Add(New Temperature(2017.15), "Boiling point of Lead")
temps.Add(New Temperature(0), "Absolute zero")
temps.Add(New Temperature(273.15), "Freezing point of water")
temps.Add(New Temperature(5100.15), "Boiling point of Carbon")
temps.Add(New Temperature(373.15), "Boiling point of water")
temps.Add(New Temperature(600.65), "Melting point of Lead")
For Each kvp As KeyValuePair(Of Temperature, String) In temps
Console.WriteLine("{0} is {1} degrees Celsius.", kvp.Value, kvp.Key.Celsius)
Next
End Sub
End Class
' The example displays the following output:
' Absolute zero is -273.15 degrees Celsius.
' Freezing point of water is 0 degrees Celsius.
' Boiling point of water is 100 degrees Celsius.
' Melting point of Lead is 327.5 degrees Celsius.
' Boiling point of Lead is 1744 degrees Celsius.
' Boiling point of Carbon is 4827 degrees Celsius.
'
Комментарии
Этот интерфейс реализуется типами, значения которых можно упорядочить или отсортировать, и предоставляет строго типизированный метод сравнения для упорядочения членов универсального объекта коллекции. Например, одно число может быть больше второго, и одна строка может отображаться в алфавитном порядке перед другим. Для этого требуется, чтобы реализующие типы определяли один метод , который указывает, CompareTo(T)находится ли позиция текущего экземпляра в порядке сортировки до, после или совпадает с положением второго объекта того же типа. Как правило, метод не вызывается непосредственно из кода разработчика. Вместо этого он вызывается автоматически с помощью таких методов, как List<T>.Sort() и Add.
Как правило, типы, обеспечивающие реализацию IComparable<T> , также реализуют IEquatable<T> интерфейс . Интерфейс IEquatable<T> определяет Equals метод , который определяет равенство экземпляров реализующего типа.
Реализация CompareTo(T) метода должна возвращать Int32 объект , имеющий одно из трех значений, как показано в следующей таблице.
Значение | Значение |
---|---|
Меньше нуля | Этот объект предшествует объекту, указанному методом CompareTo в порядке сортировки. |
Нуль | Этот текущий экземпляр находится в той же позиции в порядке сортировки, что и объект, указанный аргументом CompareTo метода . |
Больше нуля | Этот текущий экземпляр следует за объектом, указанным аргументом CompareTo метода в порядке сортировки. |
Все числовые типы (например, Int32 и ) реализуют IComparable<T>, а также String, Charи DateTimeDouble. Пользовательские типы также должны предоставлять собственную реализацию для упорядочения IComparable<T> или сортировки экземпляров объектов.
Примечания для тех, кто реализует этот метод
Замените параметр IComparable<T> type интерфейса типом, реализующим этот интерфейс.
При реализации IComparable<T>следует перегружать op_GreaterThan
операторы , op_GreaterThanOrEqual
, op_LessThan
и op_LessThanOrEqual
, чтобы возвращать значения, согласованные с CompareTo(T). Кроме того, следует также реализовать .IEquatable<T> Полные сведения см. в IEquatable<T> этой статье.
Методы
CompareTo(T) |
Сравнивает текущий экземпляр с другим объектом того же типа и возвращает целое число, которое показывает, расположен ли текущий экземпляр перед, после или на той же позиции в порядке сортировки, что и другой объект. |