Ricerca…


Osservazioni

Le proprietà combinano l'archiviazione dei dati di classe dei campi con l'accessibilità dei metodi. A volte può essere difficile decidere se utilizzare una proprietà, una proprietà che fa riferimento a un campo o un metodo che fa riferimento a un campo. Come regola generale:

  • Le proprietà dovrebbero essere utilizzate senza un campo interno se ottengono e / o impostano solo valori; senza altra logica che si verifichi. In questi casi, l'aggiunta di un campo interno aggiungerebbe il codice senza alcun beneficio.

  • Le proprietà dovrebbero essere utilizzate con i campi interni quando è necessario manipolare o convalidare i dati. Un esempio potrebbe essere la rimozione degli spazi iniziali e finali dalle stringhe o la garanzia che una data non sia nel passato.

Per quanto riguarda Metodi vs Proprietà, dove è possibile recuperare ( get ) e aggiornare ( set ) un valore, una proprietà è la scelta migliore. Inoltre, .Net offre molte funzionalità che fanno uso della struttura di una classe; ad esempio aggiungendo una griglia a un modulo, .Net elenca per default tutte le proprietà della classe su quel modulo; quindi, per utilizzare al meglio tali convenzioni, è consigliabile utilizzare le proprietà quando questo comportamento è in genere auspicabile e i metodi in cui preferiresti che i tipi non vengano aggiunti automaticamente.

Varie proprietà nel contesto

public class Person 
{
    //Id property can be read by other classes, but only set by the Person class
    public int Id {get; private set;}
    //Name property can be retrieved or assigned 
    public string Name {get; set;}
    
    private DateTime dob;
    //Date of Birth property is stored in a private variable, but retrieved or assigned through the public property.
    public DateTime DOB
    {
        get { return this.dob; }
        set { this.dob = value; }
    }
    //Age property can only be retrieved; it's value is derived from the date of birth 
    public int Age 
    {
        get 
        {
            int offset = HasHadBirthdayThisYear() ? 0 : -1;
            return DateTime.UtcNow.Year - this.dob.Year + offset;
        }
    }

    //this is not a property but a method; though it could be rewritten as a property if desired.
    private bool HasHadBirthdayThisYear() 
    {
        bool hasHadBirthdayThisYear = true;
        DateTime today = DateTime.UtcNow;
        if (today.Month > this.dob.Month)
        {
            hasHadBirthdayThisYear = true;
        }
        else 
        {
            if (today.Month == this.dob.Month)
            {
                hasHadBirthdayThisYear = today.Day > this.dob.Day;
            }
            else
            {
                hasHadBirthdayThisYear = false;
            }
        }
        return hasHadBirthdayThisYear;
    }
}

Pubblico Ottieni

I getter sono usati per esporre i valori delle classi.

string name;
public string Name
{
    get { return this.name; }
}

Set pubblico

I setter sono usati per assegnare valori alle proprietà.

string name;
public string Name 
{
    set { this.name = value; }
}

Accesso alle proprietà

class Program 
{
    public static void Main(string[] args)
    {
        Person aPerson = new Person("Ann Xena Sample", new DateTime(1984, 10, 22));
        //example of accessing properties (Id, Name & DOB)
        Console.WriteLine("Id is:  \t{0}\nName is:\t'{1}'.\nDOB is: \t{2:yyyy-MM-dd}.\nAge is: \t{3}", aPerson.Id, aPerson.Name, aPerson.DOB, aPerson.GetAgeInYears());
        //example of setting properties

        aPerson.Name = "   Hans Trimmer  ";
        aPerson.DOB = new DateTime(1961, 11, 11);
        //aPerson.Id = 5; //this won't compile as Id's SET method is private; so only accessible within the Person class.
        //aPerson.DOB = DateTime.UtcNow.AddYears(1); //this would throw a runtime error as there's validation to ensure the DOB is in past. 

        //see how our changes above take effect; note that the Name has been trimmed
        Console.WriteLine("Id is:  \t{0}\nName is:\t'{1}'.\nDOB is: \t{2:yyyy-MM-dd}.\nAge is: \t{3}", aPerson.Id, aPerson.Name, aPerson.DOB, aPerson.GetAgeInYears());

        Console.WriteLine("Press any key to continue");
        Console.Read();
    }
}

public class Person
{
    private static int nextId = 0;
    private string name;
    private DateTime dob; //dates are held in UTC; i.e. we disregard timezones
    public Person(string name, DateTime dob)
    {
        this.Id = ++Person.nextId;
        this.Name = name;
        this.DOB = dob;
    }
    public int Id
    {
        get;
        private set;
    }
    public string Name
    {
        get { return this.name; }
        set
        {
            if (string.IsNullOrWhiteSpace(value)) throw new InvalidNameException(value);
            this.name = value.Trim();
        }
    }
    public DateTime DOB
    {
        get { return this.dob; }
        set 
        {
            if (value < DateTime.UtcNow.AddYears(-200) || value > DateTime.UtcNow) throw new InvalidDobException(value);
            this.dob = value; 
        }
    }
    public int GetAgeInYears()
    {
        DateTime today = DateTime.UtcNow;
        int offset = HasHadBirthdayThisYear() ? 0 : -1;
        return today.Year - this.dob.Year + offset;
    }
    private bool HasHadBirthdayThisYear()
    {
        bool hasHadBirthdayThisYear = true;
        DateTime today = DateTime.UtcNow;
        if (today.Month > this.dob.Month)
        {
            hasHadBirthdayThisYear = true;
        }
        else
        {
            if (today.Month == this.dob.Month)
            {
                hasHadBirthdayThisYear = today.Day > this.dob.Day;
            }
            else
            {
                hasHadBirthdayThisYear = false;
            }
        }
        return hasHadBirthdayThisYear;
    }
}

public class InvalidNameException : ApplicationException
{
    const string InvalidNameExceptionMessage = "'{0}' is an invalid name.";
    public InvalidNameException(string value): base(string.Format(InvalidNameExceptionMessage,value)){}
}
public class InvalidDobException : ApplicationException
{ 
    const string InvalidDobExceptionMessage = "'{0:yyyy-MM-dd}' is an invalid DOB.  The date must not be in the future, or over 200 years in the past.";
    public InvalidDobException(DateTime value): base(string.Format(InvalidDobExceptionMessage,value)){}
}

Valori predefiniti per le proprietà

L'impostazione di un valore predefinito può essere eseguita utilizzando Initializers (C # 6)

public class Name 
{
    public string First { get; set; } = "James";
    public string Last { get; set; } = "Smith";
}

Se è letto solo tu puoi restituire valori come questo:

  public class Name 
  {
      public string First => "James";
      public string Last => "Smith";
  }

Proprietà auto-implementate

Le proprietà implementate automaticamente sono state introdotte in C # 3.
Una proprietà auto-implementata è dichiarata con un getter e setter vuoto (accessor):

public bool IsValid { get; set; }

Quando una proprietà auto-implementata è scritta nel tuo codice, il compilatore crea un campo anonimo privato a cui è possibile accedere solo tramite gli accessors della proprietà.

L'affermazione di proprietà auto-implementata sopra equivale a scrivere questo lungo codice:

private bool _isValid;
public bool IsValid
{
    get { return _isValid; }
    set { _isValid = value; }
}

Le proprietà implementate automaticamente non possono avere alcuna logica nei loro accessor, ad esempio:

public bool IsValid { get; set { PropertyChanged("IsValid"); } } // Invalid code

Una proprietà auto-implementata può tuttavia avere diversi modificatori di accesso per i suoi accessori:

public bool IsValid { get; private set; }    

Il C # 6 consente alle proprietà auto-implementate di non avere alcun setter (rendendolo immutabile, dal momento che il suo valore può essere impostato solo all'interno del costruttore o hard coded):

public bool IsValid { get; }    
public bool IsValid { get; } = true;

Per ulteriori informazioni sull'inizializzazione delle proprietà autoattive, leggere la documentazione degli inizializzatori della proprietà automatica .

Proprietà di sola lettura

Dichiarazione

Un comune malinteso, in particolare i principianti, è di proprietà di sola readonly è quello contrassegnato con una parola chiave readonly . Questo non è corretto e in effetti il seguente è un errore in fase di compilazione :

public readonly string SomeProp { get; set; }

Una proprietà è di sola lettura quando ha solo un getter.

public string SomeProp { get; }

Utilizzo di proprietà di sola lettura per creare classi immutabili

public Address
{
    public string ZipCode { get; }
    public string City { get; }
    public string StreetAddress { get; }

    public Address(
        string zipCode,
        string city,
        string streetAddress)
    {
        if (zipCode == null)
            throw new ArgumentNullException(nameof(zipCode));
        if (city == null)
            throw new ArgumentNullException(nameof(city));
        if (streetAddress == null)
            throw new ArgumentNullException(nameof(streetAddress));

        ZipCode = zipCode;
        City = city;
        StreetAddress = streetAddress;
    }
}


Modified text is an extract of the original Stack Overflow Documentation
Autorizzato sotto CC BY-SA 3.0
Non affiliato con Stack Overflow