Buscar..


POCOs

Algunos de los tipos más simples de clases son POCOs.

// C#
public class Person
{
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public DateTime Birthday { get; set; }
}

En F # 3.0, se introdujeron propiedades automáticas similares a propiedades automáticas C #,

// F#
type Person() = 
    member val FirstName = "" with get, set
    member val LastName = "" with get, set
    member val BirthDay = System.DateTime.Today with get, set

La creación de una instancia de cualquiera es similar,

// C#
var person = new Person { FirstName = "Bob", LastName = "Smith", Birthday = DateTime.Today }; 
// F#
let person = new Person(FirstName = "Bob", LastName = "Smith")

Si puede usar valores inmutables, un tipo de registro es mucho más idiomático F #.

type Person = { 
    FirstName:string; 
    LastName:string; 
    Birthday:System.DateTime 
} 

Y este registro puede ser creado:

let person = { FirstName = "Bob"; LastName = "Smith"; Birthday = System.DateTime.Today }

Los registros también se pueden crear basándose en otros registros especificando el registro existente y agregando with , luego una lista de campos para anular:

let formal = { person with FirstName = "Robert" }

Clase implementando una interfaz

Las clases implementan una interfaz para cumplir con el contrato de la interfaz. Por ejemplo, una clase C # puede implementar IDisposable ,

public class Resource : IDisposable
{ 
    private MustBeDisposed internalResource;
    
    public Resource() 
    { 
        internalResource = new MustBeDisposed();
    }

    public void Dispose()
    {
        Dispose(true);
        GC.SuppressFinalize(this);
    }

    protected virtual void Dispose(bool disposing){
        if (disposing){
            if (resource != null) internalResource.Dispose();
        }
    }
}

Para implementar una interfaz en F #, use la interface en la definición de tipo,

type Resource() = 
    let internalResource = new MustBeDisposed()

    interface IDisposable with
        member this.Dispose(): unit = 
            this.Dispose(true)
            GC.SuppressFinalize(this)

    member __.Dispose disposing = 
        match disposing with 
        | true  -> if (not << isNull) internalResource then internalResource.Dispose()
        | false -> ()


Modified text is an extract of the original Stack Overflow Documentation
Licenciado bajo CC BY-SA 3.0
No afiliado a Stack Overflow