我得到了一个可能的意外参考比较;要获得值比较,请在左侧输入以在GetPrice方法的if语句中键入'string'。它在所有“if(size ==”Small“)”语句中突出显示。以下是我的变量:
drinkType = GetDrinkType();
size = GetDrinkSize();
price = GetPrice(size);
private string GetDrinkType()
{
string theDrink;
theDrink = "None Selected";
if (rdoCoffee.Checked)
{
theDrink = "Coffee";
}
else if (rdoCoco.Checked)
{
theDrink = "Hot Chocolate";
}
else if (rdoSmoothie.Checked)
{
theDrink = "Smoothie";
}
return theDrink;
}
private string GetDrinkSize()
{
string theSize;
theSize = "None Selected";
if (rdoSmall.Checked)
{
theSize = "Small";
}
else if (rdoMedium.Checked)
{
theSize = "Medium";
}
else if (rdoLarge.Checked)
{
theSize = "Large";
}
return theSize;
}
private decimal GetPrice(object size)
{
decimal thePrice;
thePrice = 0;
if (size == "Small")
{
thePrice = 1.25m;
}
else if (size == "Medium")
{
thePrice = 2.50m;
}
else if (size == "Large")
{
thePrice = 3.35m;
}
return thePrice;
}
答案 0 :(得分:3)
size
参数声明为object
类型,因此编译器不知道它实际上是string
类型。因此它使用类型object
的默认相等性,这是一个参考比较。
如果将size
的类型更改为string
,它将使用string
类中的相等运算符重载,该类执行值比较。
private decimal GetPrice(string size)
答案 1 :(得分:1)
发生警告是因为您要将字符串与对象进行比较。如果你改变了
if (size == "Small")
到
if (size.ToString() == "Small")
警告将被删除。
答案 2 :(得分:1)
尝试更改"对象"在GetPrice到"字符串"。
答案 3 :(得分:0)
由于在GetPrize
中,size
的类型为object
,但您将其与string
与size == "Large"
进行比较。
更改与"string text".Equals(object)
的比较,如下所示
private decimal GetPrice(object size)
{
decimal thePrice = 0m;
if ("Small".Equals(size))
{
thePrice = 1.25m;
}
else if ("Medium".Equals(size))
{
thePrice = 2.50m;
}
else if ("Large".Equals(size))
{
thePrice = 3.35m;
}
return thePrice;
}