Nota
L'accesso a questa pagina richiede l'autorizzazione. È possibile provare ad accedere o modificare le directory.
L'accesso a questa pagina richiede l'autorizzazione. È possibile provare a modificare le directory.
Ogni valore ha un tipo associato, che definisce attributi quali la quantità di spazio allocata al valore, l'intervallo di valori possibili che può avere e i membri che rende disponibili. Molti valori possono essere espressi come più di un tipo. Ad esempio, il valore 4 può essere espresso come intero o un valore a virgola mobile. La conversione dei tipi crea un valore in un nuovo tipo equivalente al valore di un tipo precedente, ma non mantiene necessariamente l'identità (o il valore esatto) dell'oggetto originale.
.NET supporta automaticamente le conversioni seguenti:
Conversione da una classe derivata a una classe base. Ciò significa, ad esempio, che un'istanza di qualsiasi classe o struttura può essere convertita in un'istanza Object di . Questa conversione non richiede un operatore di cast o conversione.
Conversione da una classe base alla classe derivata originale. In C# questa conversione richiede un operatore di cast. In Visual Basic, richiede l'operatore
CType
seOption Strict
è attivo.Conversione da un tipo che implementa un'interfaccia a un oggetto interfaccia che rappresenta tale interfaccia. Questa conversione non richiede un operatore di cast o conversione.
Conversione da un oggetto interfaccia al tipo originale che implementa tale interfaccia. In C# questa conversione richiede un operatore di cast. In Visual Basic, richiede l'operatore
CType
seOption Strict
è attivo.
Oltre a queste conversioni automatiche, .NET offre diverse funzionalità che supportano la conversione di tipi personalizzati. Questi includono:
Implicit
Operatore che definisce le conversioni di estensione disponibili tra tipi. Per altre informazioni, vedere la sezione Conversione implicita con l'operatore implicito .Explicit
Operatore che definisce le conversioni di restringimento disponibili tra i tipi. Per altre informazioni, vedere la sezione Conversione esplicita con l'operatore esplicito .Interfaccia IConvertible che definisce le conversioni in ognuno dei tipi di dati .NET di base. Per altre informazioni, vedere la sezione Interfaccia IConvertible .
Classe Convert , che fornisce un set di metodi che implementano i metodi nell'interfaccia IConvertible . Per altre informazioni, vedere la sezione Convert Class .
Classe TypeConverter , che è una classe base che può essere estesa per supportare la conversione di un tipo specificato in qualsiasi altro tipo. Per altre informazioni, vedere la sezione Classe TypeConverter .
Conversione implicita con l'operatore implicito
Le conversioni di ampliamento comportano la creazione di un nuovo valore dal valore di un tipo esistente che ha una gamma più restrittiva o una lista di membri più limitata rispetto al tipo di destinazione. Le conversioni di ampiezza non possono comportare la perdita di dati (benché possano comportare una perdita di precisione). Poiché i dati non possono essere persi, i compilatori possono gestire la conversione in modo implicito o trasparente, senza richiedere l'uso di un metodo di conversione esplicito o di un operatore di cast.
Nota
Anche se il codice che esegue una conversione implicita può chiamare un metodo di conversione o usare un operatore di cast, il relativo uso non è richiesto dai compilatori che supportano conversioni implicite.
Ad esempio, il tipo Decimal supporta conversioni implicite da valori Byte, Char, Int16, Int32, Int64, SByte, UInt16, UInt32, e UInt64. Nell'esempio seguente vengono illustrate alcune di queste conversioni implicite nell'assegnazione di valori a una Decimal variabile.
byte byteValue = 16;
short shortValue = -1024;
int intValue = -1034000;
long longValue = 1152921504606846976;
ulong ulongValue = UInt64.MaxValue;
decimal decimalValue;
decimalValue = byteValue;
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
byteValue.GetType().Name, decimalValue);
decimalValue = shortValue;
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
shortValue.GetType().Name, decimalValue);
decimalValue = intValue;
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
intValue.GetType().Name, decimalValue);
decimalValue = longValue;
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
longValue.GetType().Name, decimalValue);
decimalValue = ulongValue;
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
ulongValue.GetType().Name, decimalValue);
// The example displays the following output:
// After assigning a Byte value, the Decimal value is 16.
// After assigning a Int16 value, the Decimal value is -1024.
// After assigning a Int32 value, the Decimal value is -1034000.
// After assigning a Int64 value, the Decimal value is 1152921504606846976.
// After assigning a UInt64 value, the Decimal value is 18446744073709551615.
Dim byteValue As Byte = 16
Dim shortValue As Short = -1024
Dim intValue As Integer = -1034000
Dim longValue As Long = CLng(1024 ^ 6)
Dim ulongValue As ULong = ULong.MaxValue
Dim decimalValue As Decimal
decimalValue = byteValue
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
byteValue.GetType().Name, decimalValue)
decimalValue = shortValue
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
shortValue.GetType().Name, decimalValue)
decimalValue = intValue
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
intValue.GetType().Name, decimalValue)
decimalValue = longValue
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
longValue.GetType().Name, decimalValue)
decimalValue = ulongValue
Console.WriteLine("After assigning a {0} value, the Decimal value is {1}.",
ulongValue.GetType().Name, decimalValue)
' The example displays the following output:
' After assigning a Byte value, the Decimal value is 16.
' After assigning a Int16 value, the Decimal value is -1024.
' After assigning a Int32 value, the Decimal value is -1034000.
' After assigning a Int64 value, the Decimal value is 1152921504606846976.
' After assigning a UInt64 value, the Decimal value is 18446744073709551615.
Se un compilatore di linguaggio specifico supporta operatori personalizzati, è anche possibile definire conversioni implicite nei tipi personalizzati. Nell'esempio seguente viene fornita un'implementazione parziale di un tipo di dati di byte firmato denominato ByteWithSign
che usa la rappresentazione di segno e grandezza. Supporta la conversione implicita di Byte valori e SByte in ByteWithSign
valori.
public struct ByteWithSign
{
private SByte signValue;
private Byte value;
public static implicit operator ByteWithSign(SByte value)
{
ByteWithSign newValue;
newValue.signValue = (SByte)Math.Sign(value);
newValue.value = (byte)Math.Abs(value);
return newValue;
}
public static implicit operator ByteWithSign(Byte value)
{
ByteWithSign newValue;
newValue.signValue = 1;
newValue.value = value;
return newValue;
}
public override string ToString()
{
return (signValue * value).ToString();
}
}
Public Structure ImplicitByteWithSign
Private signValue As SByte
Private value As Byte
Public Overloads Shared Widening Operator CType(value As SByte) As ImplicitByteWithSign
Dim newValue As ImplicitByteWithSign
newValue.signValue = CSByte(Math.Sign(value))
newValue.value = CByte(Math.Abs(value))
Return newValue
End Operator
Public Overloads Shared Widening Operator CType(value As Byte) As ImplicitByteWithSign
Dim NewValue As ImplicitByteWithSign
newValue.signValue = 1
newValue.value = value
Return newValue
End Operator
Public Overrides Function ToString() As String
Return (signValue * value).ToString()
End Function
End Structure
Il codice client può quindi dichiarare una variabile ByteWithSign
e assegnargli valori Byte e SByte senza dover eseguire conversioni esplicite o utilizzare operatori di cast, come illustrato nell'esempio seguente.
SByte sbyteValue = -120;
ByteWithSign value = sbyteValue;
Console.WriteLine(value);
value = Byte.MaxValue;
Console.WriteLine(value);
// The example displays the following output:
// -120
// 255
Dim sbyteValue As SByte = -120
Dim value As ImplicitByteWithSign = sbyteValue
Console.WriteLine(value.ToString())
value = Byte.MaxValue
Console.WriteLine(value.ToString())
' The example displays the following output:
' -120
' 255
Conversione esplicita con l'operatore esplicito
Le conversioni di tipo restringente comportano la creazione di un nuovo valore dal valore di un tipo esistente che ha un intervallo maggiore o un elenco di membri più ampio rispetto al tipo di destinazione. Poiché una conversione di tipo narrowing può comportare una perdita di dati, i compilatori spesso richiedono che la conversione venga resa esplicita tramite una chiamata a un metodo di conversione o a un operatore di cast. Ovvero, la conversione deve essere gestita in modo esplicito nel codice dello sviluppatore.
Nota
Lo scopo principale di richiedere un metodo di conversione o un operatore di cast per le conversioni di tipo narrowing consiste nel rendere lo sviluppatore consapevole della possibilità di perdita di dati o di un oggetto OverflowException in modo che possa essere gestito nel codice. Tuttavia, alcuni compilatori possono ridurre questo requisito. Ad esempio, in Visual Basic, se Option Strict
è disattivato (impostazione predefinita), il compilatore di Visual Basic tenta di eseguire conversioni di tipo narrowing in modo implicito.
Ad esempio, i UInt32tipi di dati , Int64e UInt64 hanno intervalli che superano il Int32 tipo di dati, come illustrato nella tabella seguente.
TIPO | Confronto con intervallo di Int32 |
---|---|
Int64 | Int64.MaxValueè maggiore di e Int32.MaxValue è minore di Int64.MinValue(ha un intervallo negativo maggiore di) Int32.MinValue. |
UInt32 | UInt32.MaxValue è maggiore di Int32.MaxValue. |
UInt64 | UInt64.MaxValue è maggiore di Int32.MaxValue. |
Per gestire tali conversioni di tipo narrowing, .NET consente ai tipi di definire un operatore Explicit
. I singoli compilatori di linguaggio possono quindi implementare questo operatore usando la propria sintassi oppure è possibile chiamare un membro della Convert classe per eseguire la conversione. Per altre informazioni sulla Convert classe, vedere La classe Convert più avanti in questo argomento. Nell'esempio seguente viene illustrato l'uso delle funzionalità del linguaggio per gestire la conversione esplicita di questi valori integer potenzialmente fuori intervallo in Int32 valori.
long number1 = int.MaxValue + 20L;
uint number2 = int.MaxValue - 1000;
ulong number3 = int.MaxValue;
int intNumber;
try
{
intNumber = checked((int)number1);
Console.WriteLine("After assigning a {0} value, the Integer value is {1}.",
number1.GetType().Name, intNumber);
}
catch (OverflowException)
{
if (number1 > int.MaxValue)
Console.WriteLine($"Conversion failed: {number1} exceeds {int.MaxValue}.");
else
Console.WriteLine($"Conversion failed: {number1} is less than {int.MinValue}.");
}
try
{
intNumber = checked((int)number2);
Console.WriteLine("After assigning a {0} value, the Integer value is {1}.",
number2.GetType().Name, intNumber);
}
catch (OverflowException)
{
Console.WriteLine($"Conversion failed: {number2} exceeds {int.MaxValue}.");
}
try
{
intNumber = checked((int)number3);
Console.WriteLine("After assigning a {0} value, the Integer value is {1}.",
number3.GetType().Name, intNumber);
}
catch (OverflowException)
{
Console.WriteLine($"Conversion failed: {number1} exceeds {int.MaxValue}.");
}
// The example displays the following output:
// Conversion failed: 2147483667 exceeds 2147483647.
// After assigning a UInt32 value, the Integer value is 2147482647.
// After assigning a UInt64 value, the Integer value is 2147483647.
Dim number1 As Long = Integer.MaxValue + 20L
Dim number2 As UInteger = Integer.MaxValue - 1000
Dim number3 As ULong = Integer.MaxValue
Dim intNumber As Integer
Try
intNumber = CInt(number1)
Console.WriteLine("After assigning a {0} value, the Integer value is {1}.",
number1.GetType().Name, intNumber)
Catch e As OverflowException
If number1 > Integer.MaxValue Then
Console.WriteLine("Conversion failed: {0} exceeds {1}.",
number1, Integer.MaxValue)
Else
Console.WriteLine("Conversion failed: {0} is less than {1}.\n",
number1, Integer.MinValue)
End If
End Try
Try
intNumber = CInt(number2)
Console.WriteLine("After assigning a {0} value, the Integer value is {1}.",
number2.GetType().Name, intNumber)
Catch e As OverflowException
Console.WriteLine("Conversion failed: {0} exceeds {1}.",
number2, Integer.MaxValue)
End Try
Try
intNumber = CInt(number3)
Console.WriteLine("After assigning a {0} value, the Integer value is {1}.",
number3.GetType().Name, intNumber)
Catch e As OverflowException
Console.WriteLine("Conversion failed: {0} exceeds {1}.",
number1, Integer.MaxValue)
End Try
' The example displays the following output:
' Conversion failed: 2147483667 exceeds 2147483647.
' After assigning a UInt32 value, the Integer value is 2147482647.
' After assigning a UInt64 value, the Integer value is 2147483647.
Le conversioni esplicite possono produrre risultati diversi in lingue diverse e questi risultati possono differire dal valore restituito dal metodo corrispondente Convert . Ad esempio, se il valore Double 12,63251 viene convertito in Int32, sia il metodo Visual Basic CInt
che il metodo .NET Convert.ToInt32(Double) arrotondano il Double per restituire un valore di 13, ma l'operatore C# (int)
tronca il Double per restituire un valore di 12. Analogamente, l'operatore C# (int)
non supporta la conversione booleana-intera, ma il metodo Visual Basic CInt
converte un valore di true
in -1. D'altra parte, il Convert.ToInt32(Boolean) metodo converte un valore pari true
a 1.
La maggior parte dei compilatori consente l'esecuzione di conversioni esplicite in modo controllato o deselezionato. Quando viene eseguita una conversione controllata, viene generata un'eccezione OverflowException quando il valore del tipo da convertire non è compreso nell'intervallo del tipo di destinazione. Quando viene eseguita una conversione non controllata sotto le stesse condizioni, la conversione potrebbe non generare un'eccezione, ma il comportamento esatto diventa non definito e potrebbe risultare in un valore errato.
Nota
In C# le conversioni controllate possono essere eseguite usando la checked
parola chiave insieme a un operatore di cast o specificando l'opzione del /checked+
compilatore. Viceversa, le conversioni non controllate possono essere eseguite usando la parola chiave unchecked
insieme all'operatore di cast o specificando l'opzione del compilatore /checked-
. Per impostazione predefinita, le conversioni esplicite sono deselezionate. In Visual Basic le conversioni controllate possono essere eseguite deselezionando la casella di controllo Rimuovi controlli overflow degli interi nella finestra di dialogo Impostazioni avanzate del compilatore del progetto oppure specificando l'opzione del compilatore /removeintchecks-
. Viceversa, le conversioni non verificate possono essere eseguite selezionando la casella di controllo Rimuovi controlli di overflow di interi nella finestra di dialogo Impostazioni avanzate del compilatore del progetto o specificando l'opzione del /removeintchecks+
compilatore. Per impostazione predefinita, vengono controllate le conversioni esplicite.
Nell'esempio C# seguente vengono usate le parole chiave checked
e unchecked
per illustrare la differenza di comportamento quando un valore al di fuori dell'intervallo di un Byte viene convertito in un Byte. La conversione selezionata genera un'eccezione, ma la conversione deselezionata assegna Byte.MaxValue alla Byte variabile.
int largeValue = Int32.MaxValue;
byte newValue;
try
{
newValue = unchecked((byte)largeValue);
Console.WriteLine($"Converted the {largeValue.GetType().Name} value {largeValue} to the {newValue.GetType().Name} value {newValue}.");
}
catch (OverflowException)
{
Console.WriteLine($"{largeValue} is outside the range of the Byte data type.");
}
try
{
newValue = checked((byte)largeValue);
Console.WriteLine($"Converted the {largeValue.GetType().Name} value {largeValue} to the {newValue.GetType().Name} value {newValue}.");
}
catch (OverflowException)
{
Console.WriteLine($"{largeValue} is outside the range of the Byte data type.");
}
// The example displays the following output:
// Converted the Int32 value 2147483647 to the Byte value 255.
// 2147483647 is outside the range of the Byte data type.
Se un compilatore di un particolare linguaggio supporta operatori sovraccaricati personalizzati, è anche possibile definire conversioni esplicite nei tipi personalizzati. Nell'esempio seguente viene fornita un'implementazione parziale di un tipo di dati di byte firmato denominato ByteWithSign
che usa la rappresentazione di segno e grandezza. Supporta la conversione esplicita di valori Int32 e UInt32 in valori ByteWithSign
.
public struct ByteWithSignE
{
private SByte signValue;
private Byte value;
private const byte MaxValue = byte.MaxValue;
private const int MinValue = -1 * byte.MaxValue;
public static explicit operator ByteWithSignE(int value)
{
// Check for overflow.
if (value > ByteWithSignE.MaxValue || value < ByteWithSignE.MinValue)
throw new OverflowException(String.Format("'{0}' is out of range of the ByteWithSignE data type.",
value));
ByteWithSignE newValue;
newValue.signValue = (SByte)Math.Sign(value);
newValue.value = (byte)Math.Abs(value);
return newValue;
}
public static explicit operator ByteWithSignE(uint value)
{
if (value > ByteWithSignE.MaxValue)
throw new OverflowException(String.Format("'{0}' is out of range of the ByteWithSignE data type.",
value));
ByteWithSignE newValue;
newValue.signValue = 1;
newValue.value = (byte)value;
return newValue;
}
public override string ToString()
{
return (signValue * value).ToString();
}
}
Public Structure ByteWithSign
Private signValue As SByte
Private value As Byte
Private Const MaxValue As Byte = Byte.MaxValue
Private Const MinValue As Integer = -1 * Byte.MaxValue
Public Overloads Shared Narrowing Operator CType(value As Integer) As ByteWithSign
' Check for overflow.
If value > ByteWithSign.MaxValue Or value < ByteWithSign.MinValue Then
Throw New OverflowException(String.Format("'{0}' is out of range of the ByteWithSign data type.", value))
End If
Dim newValue As ByteWithSign
newValue.signValue = CSByte(Math.Sign(value))
newValue.value = CByte(Math.Abs(value))
Return newValue
End Operator
Public Overloads Shared Narrowing Operator CType(value As UInteger) As ByteWithSign
If value > ByteWithSign.MaxValue Then
Throw New OverflowException(String.Format("'{0}' is out of range of the ByteWithSign data type.", value))
End If
Dim NewValue As ByteWithSign
newValue.signValue = 1
newValue.value = CByte(value)
Return newValue
End Operator
Public Overrides Function ToString() As String
Return (signValue * value).ToString()
End Function
End Structure
Il codice client può quindi dichiarare una variabile ByteWithSign
e assegnargli i valori Int32 e UInt32 se le assegnazioni includono un operatore di cast o un metodo di conversione, come mostra l'esempio seguente.
ByteWithSignE value;
try
{
int intValue = -120;
value = (ByteWithSignE)intValue;
Console.WriteLine(value);
}
catch (OverflowException e)
{
Console.WriteLine(e.Message);
}
try
{
uint uintValue = 1024;
value = (ByteWithSignE)uintValue;
Console.WriteLine(value);
}
catch (OverflowException e)
{
Console.WriteLine(e.Message);
}
// The example displays the following output:
// -120
// '1024' is out of range of the ByteWithSignE data type.
Dim value As ByteWithSign
Try
Dim intValue As Integer = -120
value = CType(intValue, ByteWithSign)
Console.WriteLine(value)
Catch e As OverflowException
Console.WriteLine(e.Message)
End Try
Try
Dim uintValue As UInteger = 1024
value = CType(uintValue, ByteWithSign)
Console.WriteLine(value)
Catch e As OverflowException
Console.WriteLine(e.Message)
End Try
' The example displays the following output:
' -120
' '1024' is out of range of the ByteWithSign data type.
Interfaccia IConvertible
Per supportare la conversione di qualsiasi tipo a un tipo di base del Common Language Runtime, .NET fornisce l'interfaccia IConvertible. Il tipo di implementazione è necessario per fornire quanto segue:
Un metodo che restituisce l'oggetto TypeCode del tipo implementato.
Metodi per convertire il tipo di implementazione in ciascun tipo di base del Common Language Runtime (Boolean, Byte, DateTime, Decimal, Double, e così via).
Metodo di conversione generalizzato per convertire un'istanza del tipo di implementazione in un altro tipo specificato. Le conversioni non supportate devono generare un'eccezione InvalidCastException.
Ogni tipo di base Common Language Runtime, ovvero Boolean, Byte, Char, DateTime, Decimal, Double, Int16, Int32, Int64, SByte, Single, String, UInt16, UInt32, e UInt64, così come i tipi DBNull e Enum, implementa l'interfaccia IConvertible. Tuttavia, si tratta di implementazioni esplicite dell'interfaccia; Il metodo di conversione può essere chiamato solo tramite una IConvertible variabile di interfaccia, come illustrato nell'esempio seguente. In questo esempio viene convertito un Int32 valore nel valore equivalente Char .
int codePoint = 1067;
IConvertible iConv = codePoint;
char ch = iConv.ToChar(null);
Console.WriteLine($"Converted {codePoint} to {ch}.");
Dim codePoint As Integer = 1067
Dim iConv As IConvertible = codePoint
Dim ch As Char = iConv.ToChar(Nothing)
Console.WriteLine("Converted {0} to {1}.", codePoint, ch)
Il requisito di chiamare il metodo di conversione sulla relativa interfaccia anziché sul tipo di implementazione rende relativamente costose le implementazioni esplicite dell'interfaccia. È invece consigliabile chiamare il membro appropriato della classe per eseguire la Convert conversione tra i tipi di base di Common Language Runtime. Per altre informazioni, vedere la sezione successiva La classe Convert.
Nota
Oltre all'interfaccia IConvertible e alla Convert classe fornita da .NET, i singoli linguaggi possono anche fornire modi per eseguire conversioni. Ad esempio, C# usa operatori di cast; Visual Basic utilizza funzioni di conversione implementate dal compilatore, come CType
, CInt
e DirectCast
.
Per la maggior parte, l'interfaccia IConvertible è progettata per supportare la conversione tra i tipi di base in .NET. Tuttavia, l'interfaccia può essere implementata anche da un tipo personalizzato per supportare la conversione di quel tipo in altri tipi personalizzati. Per altre informazioni, vedere la sezione Conversioni personalizzate con il metodo ChangeType più avanti in questo argomento.
Classe Convert
Anche se è possibile chiamare l'implementazione dell'interfaccia di ogni tipo base IConvertible per eseguire una conversione dei tipi, chiamare i metodi della classe System.Convert è il modo consigliato per convertire da un tipo base a un altro. Inoltre, il metodo può essere usato per eseguire la Convert.ChangeType(Object, Type, IFormatProvider) conversione da un tipo personalizzato specificato a un altro tipo.
Conversioni tra tipi di base
La Convert classe fornisce un modo indipendente dal linguaggio per eseguire conversioni tra tipi di base ed è disponibile per tutti i linguaggi destinati a Common Language Runtime. Fornisce un set completo di metodi per le conversioni di ampliamento e riduzione e genera un'eccezione InvalidCastException per le conversioni non supportate, come quella di un valore di tipo DateTime in un intero. Le conversioni di tipo Narrowing vengono eseguite in un contesto controllato e viene generata un'eccezione OverflowException se la conversione non riesce.
Importante
Poiché la Convert classe include metodi da convertire in e da ogni tipo di base, elimina la necessità di chiamare l'implementazione esplicita dell'interfaccia di IConvertible ogni tipo di base.
Nell'esempio seguente viene illustrato l'uso della System.Convert classe per eseguire diverse conversioni di estensione e di restringimento tra i tipi di base .NET.
// Convert an Int32 value to a Decimal (a widening conversion).
int integralValue = 12534;
decimal decimalValue = Convert.ToDecimal(integralValue);
Console.WriteLine($"Converted the {integralValue.GetType().Name} value {integralValue} to " +
"the {decimalValue.GetType().Name} value {decimalValue:N2}.");
// Convert a Byte value to an Int32 value (a widening conversion).
byte byteValue = Byte.MaxValue;
int integralValue2 = Convert.ToInt32(byteValue);
Console.WriteLine($"Converted the {byteValue.GetType().Name} value {byteValue} to " +
"the {integralValue2.GetType().Name} value {integralValue2:G}.");
// Convert a Double value to an Int32 value (a narrowing conversion).
double doubleValue = 16.32513e12;
try
{
long longValue = Convert.ToInt64(doubleValue);
Console.WriteLine($"Converted the {doubleValue.GetType().Name} value {doubleValue:E} to " +
"the {longValue.GetType().Name} value {longValue:N0}.");
}
catch (OverflowException)
{
Console.WriteLine($"Unable to convert the {doubleValue.GetType().Name:E} value {doubleValue}.");
}
// Convert a signed byte to a byte (a narrowing conversion).
sbyte sbyteValue = -16;
try
{
byte byteValue2 = Convert.ToByte(sbyteValue);
Console.WriteLine($"Converted the {sbyteValue.GetType().Name} value {sbyteValue} to " +
"the {byteValue2.GetType().Name} value {byteValue2:G}.");
}
catch (OverflowException)
{
Console.WriteLine($"Unable to convert the {sbyteValue.GetType().Name} value {sbyteValue}.");
}
// The example displays the following output:
// Converted the Int32 value 12534 to the Decimal value 12,534.00.
// Converted the Byte value 255 to the Int32 value 255.
// Converted the Double value 1.632513E+013 to the Int64 value 16,325,130,000,000.
// Unable to convert the SByte value -16.
' Convert an Int32 value to a Decimal (a widening conversion).
Dim integralValue As Integer = 12534
Dim decimalValue As Decimal = Convert.ToDecimal(integralValue)
Console.WriteLine("Converted the {0} value {1} to the {2} value {3:N2}.",
integralValue.GetType().Name,
integralValue,
decimalValue.GetType().Name,
decimalValue)
' Convert a Byte value to an Int32 value (a widening conversion).
Dim byteValue As Byte = Byte.MaxValue
Dim integralValue2 As Integer = Convert.ToInt32(byteValue)
Console.WriteLine("Converted the {0} value {1} to " +
"the {2} value {3:G}.",
byteValue.GetType().Name,
byteValue,
integralValue2.GetType().Name,
integralValue2)
' Convert a Double value to an Int32 value (a narrowing conversion).
Dim doubleValue As Double = 16.32513e12
Try
Dim longValue As Long = Convert.ToInt64(doubleValue)
Console.WriteLine("Converted the {0} value {1:E} to " +
"the {2} value {3:N0}.",
doubleValue.GetType().Name,
doubleValue,
longValue.GetType().Name,
longValue)
Catch e As OverflowException
Console.WriteLine("Unable to convert the {0:E} value {1}.",
doubleValue.GetType().Name, doubleValue)
End Try
' Convert a signed byte to a byte (a narrowing conversion).
Dim sbyteValue As SByte = -16
Try
Dim byteValue2 As Byte = Convert.ToByte(sbyteValue)
Console.WriteLine("Converted the {0} value {1} to " +
"the {2} value {3:G}.",
sbyteValue.GetType().Name,
sbyteValue,
byteValue2.GetType().Name,
byteValue2)
Catch e As OverflowException
Console.WriteLine("Unable to convert the {0} value {1}.",
sbyteValue.GetType().Name, sbyteValue)
End Try
' The example displays the following output:
' Converted the Int32 value 12534 to the Decimal value 12,534.00.
' Converted the Byte value 255 to the Int32 value 255.
' Converted the Double value 1.632513E+013 to the Int64 value 16,325,130,000,000.
' Unable to convert the SByte value -16.
In alcuni casi, in particolare quando si esegue la conversione da e verso valori a virgola mobile, una conversione può comportare una perdita di precisione, anche se non genera un'eccezione OverflowException. Nell'esempio seguente viene illustrata questa perdita di precisione. Nel primo caso, un Decimal valore ha una precisione minore (meno cifre significative) quando viene convertito in un oggetto Double. Nel secondo caso, un Double valore viene arrotondato da 42,72 a 43 per completare la conversione.
double doubleValue;
// Convert a Double to a Decimal.
decimal decimalValue = 13956810.96702888123451471211m;
doubleValue = Convert.ToDouble(decimalValue);
Console.WriteLine($"{decimalValue} converted to {doubleValue}.");
doubleValue = 42.72;
try
{
int integerValue = Convert.ToInt32(doubleValue);
Console.WriteLine($"{doubleValue} converted to {integerValue}.");
}
catch (OverflowException)
{
Console.WriteLine($"Unable to convert {doubleValue} to an integer.");
}
// The example displays the following output:
// 13956810.96702888123451471211 converted to 13956810.9670289.
// 42.72 converted to 43.
Dim doubleValue As Double
' Convert a Double to a Decimal.
Dim decimalValue As Decimal = 13956810.96702888123451471211d
doubleValue = Convert.ToDouble(decimalValue)
Console.WriteLine("{0} converted to {1}.", decimalValue, doubleValue)
doubleValue = 42.72
Try
Dim integerValue As Integer = Convert.ToInt32(doubleValue)
Console.WriteLine("{0} converted to {1}.",
doubleValue, integerValue)
Catch e As OverflowException
Console.WriteLine("Unable to convert {0} to an integer.",
doubleValue)
End Try
' The example displays the following output:
' 13956810.96702888123451471211 converted to 13956810.9670289.
' 42.72 converted to 43.
Per una tabella in cui sono elencate le conversioni di ampliamento e restringimento supportate dalla classe Convert, vedere Tabelle di conversione dei tipi.
Conversioni personalizzate con il metodo ChangeType
Oltre a supportare le conversioni in ognuno dei tipi di base, la Convert classe può essere usata per convertire un tipo personalizzato in uno o più tipi predefiniti. Questa conversione viene eseguita dal metodo Convert.ChangeType(Object, Type, IFormatProvider), che a sua volta realizza il wrapping di una chiamata al metodo IConvertible.ToType del parametro value
. Ciò significa che l'oggetto rappresentato dal value
parametro deve fornire un'implementazione dell'interfaccia IConvertible .
Nota
Poiché i Convert.ChangeType(Object, Type) metodi e Convert.ChangeType(Object, Type, IFormatProvider) usano un Type oggetto per specificare il tipo di destinazione in cui value
viene convertito, possono essere usati per eseguire una conversione dinamica in un oggetto il cui tipo non è noto in fase di compilazione. Si noti tuttavia che l'implementazione IConvertible di value
deve comunque supportare questa conversione.
Nell'esempio seguente viene illustrata una possibile implementazione dell'interfaccia IConvertible che consente di convertire un TemperatureCelsius
oggetto in un TemperatureFahrenheit
oggetto e viceversa. L'esempio definisce una classe base, Temperature
, che implementa l'interfaccia ed esegue l'override IConvertible del Object.ToString metodo . Le classi derivate TemperatureCelsius
e TemperatureFahrenheit
eseguono l'override dei metodi ToType
e ToString
della classe base.
using System;
public abstract class Temperature : IConvertible
{
protected decimal temp;
public Temperature(decimal temperature)
{
this.temp = temperature;
}
public decimal Value
{
get { return this.temp; }
set { this.temp = value; }
}
public override string ToString()
{
return temp.ToString(null as IFormatProvider) + "º";
}
// IConvertible implementations.
public TypeCode GetTypeCode()
{
return TypeCode.Object;
}
public bool ToBoolean(IFormatProvider provider)
{
throw new InvalidCastException(String.Format("Temperature-to-Boolean conversion is not supported."));
}
public byte ToByte(IFormatProvider provider)
{
if (temp < Byte.MinValue || temp > Byte.MaxValue)
throw new OverflowException(String.Format("{0} is out of range of the Byte data type.", temp));
else
return (byte)temp;
}
public char ToChar(IFormatProvider provider)
{
throw new InvalidCastException("Temperature-to-Char conversion is not supported.");
}
public DateTime ToDateTime(IFormatProvider provider)
{
throw new InvalidCastException("Temperature-to-DateTime conversion is not supported.");
}
public decimal ToDecimal(IFormatProvider provider)
{
return temp;
}
public double ToDouble(IFormatProvider provider)
{
return (double)temp;
}
public short ToInt16(IFormatProvider provider)
{
if (temp < Int16.MinValue || temp > Int16.MaxValue)
throw new OverflowException(String.Format("{0} is out of range of the Int16 data type.", temp));
else
return (short)Math.Round(temp);
}
public int ToInt32(IFormatProvider provider)
{
if (temp < Int32.MinValue || temp > Int32.MaxValue)
throw new OverflowException(String.Format("{0} is out of range of the Int32 data type.", temp));
else
return (int)Math.Round(temp);
}
public long ToInt64(IFormatProvider provider)
{
if (temp < Int64.MinValue || temp > Int64.MaxValue)
throw new OverflowException(String.Format("{0} is out of range of the Int64 data type.", temp));
else
return (long)Math.Round(temp);
}
public sbyte ToSByte(IFormatProvider provider)
{
if (temp < SByte.MinValue || temp > SByte.MaxValue)
throw new OverflowException(String.Format("{0} is out of range of the SByte data type.", temp));
else
return (sbyte)temp;
}
public float ToSingle(IFormatProvider provider)
{
return (float)temp;
}
public virtual string ToString(IFormatProvider provider)
{
return temp.ToString(provider) + "°";
}
// If conversionType is implemented by another IConvertible method, call it.
public virtual object ToType(Type conversionType, IFormatProvider provider)
{
switch (Type.GetTypeCode(conversionType))
{
case TypeCode.Boolean:
return this.ToBoolean(provider);
case TypeCode.Byte:
return this.ToByte(provider);
case TypeCode.Char:
return this.ToChar(provider);
case TypeCode.DateTime:
return this.ToDateTime(provider);
case TypeCode.Decimal:
return this.ToDecimal(provider);
case TypeCode.Double:
return this.ToDouble(provider);
case TypeCode.Empty:
throw new NullReferenceException("The target type is null.");
case TypeCode.Int16:
return this.ToInt16(provider);
case TypeCode.Int32:
return this.ToInt32(provider);
case TypeCode.Int64:
return this.ToInt64(provider);
case TypeCode.Object:
// Leave conversion of non-base types to derived classes.
throw new InvalidCastException(String.Format("Cannot convert from Temperature to {0}.",
conversionType.Name));
case TypeCode.SByte:
return this.ToSByte(provider);
case TypeCode.Single:
return this.ToSingle(provider);
case TypeCode.String:
IConvertible iconv = this;
return iconv.ToString(provider);
case TypeCode.UInt16:
return this.ToUInt16(provider);
case TypeCode.UInt32:
return this.ToUInt32(provider);
case TypeCode.UInt64:
return this.ToUInt64(provider);
default:
throw new InvalidCastException("Conversion not supported.");
}
}
public ushort ToUInt16(IFormatProvider provider)
{
if (temp < UInt16.MinValue || temp > UInt16.MaxValue)
throw new OverflowException(String.Format("{0} is out of range of the UInt16 data type.", temp));
else
return (ushort)Math.Round(temp);
}
public uint ToUInt32(IFormatProvider provider)
{
if (temp < UInt32.MinValue || temp > UInt32.MaxValue)
throw new OverflowException(String.Format("{0} is out of range of the UInt32 data type.", temp));
else
return (uint)Math.Round(temp);
}
public ulong ToUInt64(IFormatProvider provider)
{
if (temp < UInt64.MinValue || temp > UInt64.MaxValue)
throw new OverflowException(String.Format("{0} is out of range of the UInt64 data type.", temp));
else
return (ulong)Math.Round(temp);
}
}
public class TemperatureCelsius : Temperature, IConvertible
{
public TemperatureCelsius(decimal value) : base(value)
{
}
// Override ToString methods.
public override string ToString()
{
return this.ToString(null);
}
public override string ToString(IFormatProvider provider)
{
return temp.ToString(provider) + "°C";
}
// If conversionType is a implemented by another IConvertible method, call it.
public override object ToType(Type conversionType, IFormatProvider provider)
{
// For non-objects, call base method.
if (Type.GetTypeCode(conversionType) != TypeCode.Object)
{
return base.ToType(conversionType, provider);
}
else
{
if (conversionType.Equals(typeof(TemperatureCelsius)))
return this;
else if (conversionType.Equals(typeof(TemperatureFahrenheit)))
return new TemperatureFahrenheit((decimal)this.temp * 9 / 5 + 32);
else
throw new InvalidCastException(String.Format("Cannot convert from Temperature to {0}.",
conversionType.Name));
}
}
}
public class TemperatureFahrenheit : Temperature, IConvertible
{
public TemperatureFahrenheit(decimal value) : base(value)
{
}
// Override ToString methods.
public override string ToString()
{
return this.ToString(null);
}
public override string ToString(IFormatProvider provider)
{
return temp.ToString(provider) + "°F";
}
public override object ToType(Type conversionType, IFormatProvider provider)
{
// For non-objects, call base method.
if (Type.GetTypeCode(conversionType) != TypeCode.Object)
{
return base.ToType(conversionType, provider);
}
else
{
// Handle conversion between derived classes.
if (conversionType.Equals(typeof(TemperatureFahrenheit)))
return this;
else if (conversionType.Equals(typeof(TemperatureCelsius)))
return new TemperatureCelsius((decimal)(this.temp - 32) * 5 / 9);
// Unspecified object type: throw an InvalidCastException.
else
throw new InvalidCastException(String.Format("Cannot convert from Temperature to {0}.",
conversionType.Name));
}
}
}
Public MustInherit Class Temperature
Implements IConvertible
Protected temp As Decimal
Public Sub New(temperature As Decimal)
Me.temp = temperature
End Sub
Public Property Value As Decimal
Get
Return Me.temp
End Get
Set
Me.temp = Value
End Set
End Property
Public Overrides Function ToString() As String
Return temp.ToString() & "º"
End Function
' IConvertible implementations.
Public Function GetTypeCode() As TypeCode Implements IConvertible.GetTypeCode
Return TypeCode.Object
End Function
Public Function ToBoolean(provider As IFormatProvider) As Boolean Implements IConvertible.ToBoolean
Throw New InvalidCastException(String.Format("Temperature-to-Boolean conversion is not supported."))
End Function
Public Function ToByte(provider As IFormatProvider) As Byte Implements IConvertible.ToByte
If temp < Byte.MinValue Or temp > Byte.MaxValue Then
Throw New OverflowException(String.Format("{0} is out of range of the Byte data type.", temp))
Else
Return CByte(temp)
End If
End Function
Public Function ToChar(provider As IFormatProvider) As Char Implements IConvertible.ToChar
Throw New InvalidCastException("Temperature-to-Char conversion is not supported.")
End Function
Public Function ToDateTime(provider As IFormatProvider) As DateTime Implements IConvertible.ToDateTime
Throw New InvalidCastException("Temperature-to-DateTime conversion is not supported.")
End Function
Public Function ToDecimal(provider As IFormatProvider) As Decimal Implements IConvertible.ToDecimal
Return temp
End Function
Public Function ToDouble(provider As IFormatProvider) As Double Implements IConvertible.ToDouble
Return CDbl(temp)
End Function
Public Function ToInt16(provider As IFormatProvider) As Int16 Implements IConvertible.ToInt16
If temp < Int16.MinValue Or temp > Int16.MaxValue Then
Throw New OverflowException(String.Format("{0} is out of range of the Int16 data type.", temp))
End If
Return CShort(Math.Round(temp))
End Function
Public Function ToInt32(provider As IFormatProvider) As Int32 Implements IConvertible.ToInt32
If temp < Int32.MinValue Or temp > Int32.MaxValue Then
Throw New OverflowException(String.Format("{0} is out of range of the Int32 data type.", temp))
End If
Return CInt(Math.Round(temp))
End Function
Public Function ToInt64(provider As IFormatProvider) As Int64 Implements IConvertible.ToInt64
If temp < Int64.MinValue Or temp > Int64.MaxValue Then
Throw New OverflowException(String.Format("{0} is out of range of the Int64 data type.", temp))
End If
Return CLng(Math.Round(temp))
End Function
Public Function ToSByte(provider As IFormatProvider) As SByte Implements IConvertible.ToSByte
If temp < SByte.MinValue Or temp > SByte.MaxValue Then
Throw New OverflowException(String.Format("{0} is out of range of the SByte data type.", temp))
Else
Return CSByte(temp)
End If
End Function
Public Function ToSingle(provider As IFormatProvider) As Single Implements IConvertible.ToSingle
Return CSng(temp)
End Function
Public Overridable Overloads Function ToString(provider As IFormatProvider) As String Implements IConvertible.ToString
Return temp.ToString(provider) & " °C"
End Function
' If conversionType is a implemented by another IConvertible method, call it.
Public Overridable Function ToType(conversionType As Type, provider As IFormatProvider) As Object Implements IConvertible.ToType
Select Case Type.GetTypeCode(conversionType)
Case TypeCode.Boolean
Return Me.ToBoolean(provider)
Case TypeCode.Byte
Return Me.ToByte(provider)
Case TypeCode.Char
Return Me.ToChar(provider)
Case TypeCode.DateTime
Return Me.ToDateTime(provider)
Case TypeCode.Decimal
Return Me.ToDecimal(provider)
Case TypeCode.Double
Return Me.ToDouble(provider)
Case TypeCode.Empty
Throw New NullReferenceException("The target type is null.")
Case TypeCode.Int16
Return Me.ToInt16(provider)
Case TypeCode.Int32
Return Me.ToInt32(provider)
Case TypeCode.Int64
Return Me.ToInt64(provider)
Case TypeCode.Object
' Leave conversion of non-base types to derived classes.
Throw New InvalidCastException(String.Format("Cannot convert from Temperature to {0}.", _
conversionType.Name))
Case TypeCode.SByte
Return Me.ToSByte(provider)
Case TypeCode.Single
Return Me.ToSingle(provider)
Case TypeCode.String
Return Me.ToString(provider)
Case TypeCode.UInt16
Return Me.ToUInt16(provider)
Case TypeCode.UInt32
Return Me.ToUInt32(provider)
Case TypeCode.UInt64
Return Me.ToUInt64(provider)
Case Else
Throw New InvalidCastException("Conversion not supported.")
End Select
End Function
Public Function ToUInt16(provider As IFormatProvider) As UInt16 Implements IConvertible.ToUInt16
If temp < UInt16.MinValue Or temp > UInt16.MaxValue Then
Throw New OverflowException(String.Format("{0} is out of range of the UInt16 data type.", temp))
End If
Return CUShort(Math.Round(temp))
End Function
Public Function ToUInt32(provider As IFormatProvider) As UInt32 Implements IConvertible.ToUInt32
If temp < UInt32.MinValue Or temp > UInt32.MaxValue Then
Throw New OverflowException(String.Format("{0} is out of range of the UInt32 data type.", temp))
End If
Return CUInt(Math.Round(temp))
End Function
Public Function ToUInt64(provider As IFormatProvider) As UInt64 Implements IConvertible.ToUInt64
If temp < UInt64.MinValue Or temp > UInt64.MaxValue Then
Throw New OverflowException(String.Format("{0} is out of range of the UInt64 data type.", temp))
End If
Return CULng(Math.Round(temp))
End Function
End Class
Public Class TemperatureCelsius : Inherits Temperature : Implements IConvertible
Public Sub New(value As Decimal)
MyBase.New(value)
End Sub
' Override ToString methods.
Public Overrides Function ToString() As String
Return Me.ToString(Nothing)
End Function
Public Overrides Function ToString(provider As IFormatProvider) As String
Return temp.ToString(provider) + "°C"
End Function
' If conversionType is a implemented by another IConvertible method, call it.
Public Overrides Function ToType(conversionType As Type, provider As IFormatProvider) As Object
' For non-objects, call base method.
If Type.GetTypeCode(conversionType) <> TypeCode.Object Then
Return MyBase.ToType(conversionType, provider)
Else
If conversionType.Equals(GetType(TemperatureCelsius)) Then
Return Me
ElseIf conversionType.Equals(GetType(TemperatureFahrenheit))
Return New TemperatureFahrenheit(CDec(Me.temp * 9 / 5 + 32))
' Unspecified object type: throw an InvalidCastException.
Else
Throw New InvalidCastException(String.Format("Cannot convert from Temperature to {0}.", _
conversionType.Name))
End If
End If
End Function
End Class
Public Class TemperatureFahrenheit : Inherits Temperature : Implements IConvertible
Public Sub New(value As Decimal)
MyBase.New(value)
End Sub
' Override ToString methods.
Public Overrides Function ToString() As String
Return Me.ToString(Nothing)
End Function
Public Overrides Function ToString(provider As IFormatProvider) As String
Return temp.ToString(provider) + "°F"
End Function
Public Overrides Function ToType(conversionType As Type, provider As IFormatProvider) As Object
' For non-objects, call base method.
If Type.GetTypeCode(conversionType) <> TypeCode.Object Then
Return MyBase.ToType(conversionType, provider)
Else
' Handle conversion between derived classes.
If conversionType.Equals(GetType(TemperatureFahrenheit)) Then
Return Me
ElseIf conversionType.Equals(GetType(TemperatureCelsius))
Return New TemperatureCelsius(CDec((MyBase.temp - 32) * 5 / 9))
' Unspecified object type: throw an InvalidCastException.
Else
Throw New InvalidCastException(String.Format("Cannot convert from Temperature to {0}.", _
conversionType.Name))
End If
End If
End Function
End Class
Nell'esempio seguente vengono illustrate diverse chiamate a queste IConvertible implementazioni per convertire TemperatureCelsius
gli oggetti in TemperatureFahrenheit
oggetti e viceversa.
TemperatureCelsius tempC1 = new TemperatureCelsius(0);
TemperatureFahrenheit tempF1 = (TemperatureFahrenheit)Convert.ChangeType(tempC1, typeof(TemperatureFahrenheit), null);
Console.WriteLine($"{tempC1} equals {tempF1}.");
TemperatureCelsius tempC2 = (TemperatureCelsius)Convert.ChangeType(tempC1, typeof(TemperatureCelsius), null);
Console.WriteLine($"{tempC1} equals {tempC2}.");
TemperatureFahrenheit tempF2 = new TemperatureFahrenheit(212);
TemperatureCelsius tempC3 = (TemperatureCelsius)Convert.ChangeType(tempF2, typeof(TemperatureCelsius), null);
Console.WriteLine($"{tempF2} equals {tempC3}.");
TemperatureFahrenheit tempF3 = (TemperatureFahrenheit)Convert.ChangeType(tempF2, typeof(TemperatureFahrenheit), null);
Console.WriteLine($"{tempF2} equals {tempF3}.");
// The example displays the following output:
// 0°C equals 32°F.
// 0°C equals 0°C.
// 212°F equals 100°C.
// 212°F equals 212°F.
Dim tempC1 As New TemperatureCelsius(0)
Dim tempF1 As TemperatureFahrenheit = CType(Convert.ChangeType(tempC1, GetType(TemperatureFahrenheit), Nothing), TemperatureFahrenheit)
Console.WriteLine("{0} equals {1}.", tempC1, tempF1)
Dim tempC2 As TemperatureCelsius = CType(Convert.ChangeType(tempC1, GetType(TemperatureCelsius), Nothing), TemperatureCelsius)
Console.WriteLine("{0} equals {1}.", tempC1, tempC2)
Dim tempF2 As New TemperatureFahrenheit(212)
Dim tempC3 As TEmperatureCelsius = CType(Convert.ChangeType(tempF2, GEtType(TemperatureCelsius), Nothing), TemperatureCelsius)
Console.WriteLine("{0} equals {1}.", tempF2, tempC3)
Dim tempF3 As TemperatureFahrenheit = CType(Convert.ChangeType(tempF2, GetType(TemperatureFahrenheit), Nothing), TemperatureFahrenheit)
Console.WriteLine("{0} equals {1}.", tempF2, tempF3)
' The example displays the following output:
' 0°C equals 32°F.
' 0°C equals 0°C.
' 212°F equals 100°C.
' 212°F equals 212°F.
Classe TypeConverter
.NET consente anche di definire un convertitore di tipi per un tipo personalizzato estendendo la System.ComponentModel.TypeConverter classe e associando il convertitore di tipi al tipo tramite un System.ComponentModel.TypeConverterAttribute attributo . Nella tabella seguente vengono evidenziate le differenze tra questo approccio e l'implementazione dell'interfaccia IConvertible per un tipo personalizzato.
Nota
Il supporto in fase di progettazione può essere fornito per un tipo personalizzato solo se è definito un convertitore di tipi per esso.
Conversione con TypeConverter | Conversione con IConvertible |
---|---|
Viene implementato per un tipo personalizzato derivando una classe separata da TypeConverter. Questa classe derivata è associata al tipo personalizzato applicando un TypeConverterAttribute attributo . | Viene implementato da un tipo personalizzato per eseguire la conversione. Un utente appartenente al tipo invoca un metodo di conversione IConvertible sul tipo. |
Può essere usato sia in fase di progettazione che in fase di esecuzione. | Può essere usato solo in fase di esecuzione. |
Utilizza la riflessione; è pertanto più lento rispetto alla conversione abilitata da IConvertible. | Non usa la riflessione. |
Consente conversioni di tipi bidirezionali dal tipo personalizzato ad altri tipi di dati e da altri tipi di dati al tipo personalizzato. Ad esempio, un oggetto TypeConverter definito per MyType consente le conversioni da MyType a Stringe da String a MyType . |
Consente la conversione da un tipo personalizzato ad altri tipi di dati, ma non da altri tipi di dati al tipo personalizzato. |
Per altre informazioni sull'uso dei convertitori di tipi per eseguire conversioni, vedere System.ComponentModel.TypeConverter.