在C#中只写访问器

时间:2014-07-04 07:36:47

标签: c#

所谓的只写访问器如何工作,例如Discount

class CableBill
{
    private int rentalFee;
    private int payPerViewDiscount;
    private bool discount;

    public CableBill(int rentalFee)
    {
        this.rentalFee = rentalFee;
        discount = false;
    }

    public bool Discount
    {
        set
        {
            discount = value;
            if (discount)
                payPerViewDiscount = 2;
            else
                payPerViewDiscount = 0;
        }
    }

    public int CalculateAmount(int payPerViewMoviesOrdered)
    {
        return (rentalFee - payPerViewDiscount) * payPerViewMoviesOrdered;
    }
}

写作时

CableBill january = new CableBill(4);
MessageBox.Show(january.CalculateAmount(7).ToString());

返回值为28

我的问题是:
程序如何知道payPerViewDiscount=0?我初始化对象时从未使用过Discount属性

4 个答案:

答案 0 :(得分:6)

类的所有成员都会使用其类型的default值自动初始化。对于int,这是0

顺便说一下,只写属性是坏样式(根据Microsoft's design guidelines)。你可能应该使用一种方法。

答案 1 :(得分:2)

如果您没有初始化int,则其默认值将等于0

int myInt = new int();

上述语句与以下语句具有相同的效果:

int myInt = 0;

Default Values Table

在c#中,您可以使用default关键字来确定类型的默认值。

例如:

default(bool)
default(int)
default(int?)

答案 2 :(得分:-1)

所有原始类型,如

  

int,double,long等

会自动分配默认值。

default value for int=0;
default value for char='\0';
default value for char='\0';

例如,您不知道某些原始类型的默认值 你可以像这样访问它们

 public void PassDefaultValues(bool defaultBool, DateTime defaultDateTime)
 {
   // Nothing
 }

你可以这样称呼它

        public void PassDefaultValues(default(bool), default(DateTime));

答案 3 :(得分:-1)

这是因为默认bool设置为false,然后如果将内部this.discount设置为false,则进行检查并进入将payPerViewDiscount设置为0.应始终通过设置默认值来调用构造函数中的只写访问器。

public bool Discount
    {
        set
        {
            this.discount = value;
            if (this.discount)
                this.payPerViewDiscount = 2;
            else
                this.payPerViewDiscount = 0;
        }
    }

您应将默认设置为this.Default,而不是基础属性。

public CableBill(int rentalFee)
    {
        this.rentalFee = rentalFee;
        this.Discount = false;
    }