我有一个类型为Country的项目列表,我试图在列表中找到索引和特定的Country,但IndexOf()方法总是返回-1。
Country对象如下所示:
public class Country
{
public string CountryCode { get; set; }
public string CountryName { get; set; }
}
然后当我尝试使用IndexOf()方法时,我会做下一个:
var newcountry = new Country
{
CountryCode = "VE",
CountryName = "VENEZUELA"
};
var countries = ListBoxCountries.Items.Cast<Country>().ToList();
if (countries.IndexOf(newcountry) == -1)
countries.Add(newcountry);
假设我已经填写了列表与国家/地区,并且“委内瑞拉”在列表中,IndexOf()方法永远不会找到该国家。
编辑:
所以我在这里得到了一些ReSharper的帮助,一旦我告诉他覆盖Equals()方法,他就做了这个:
public override bool Equals(object obj)
{
if (ReferenceEquals(null, obj)) return false;
if (ReferenceEquals(this, obj)) return true;
if (obj.GetType() != typeof (Country)) return false;
return Equals((Country) obj);
}
public bool Equals(Country other)
{
if (ReferenceEquals(null, other)) return false;
if (ReferenceEquals(this, other)) return true;
return Equals(other.CountryCode, CountryCode) && Equals(other.CountryName, CountryName);
}
public override int GetHashCode()
{
unchecked
{
return ((CountryCode != null ? CountryCode.GetHashCode() : 0)*397) ^ (CountryName != null ? CountryName.GetHashCode() : 0);
}
}
另外还有一个问题:为了比较两个对象,可以做所有这些吗?
答案 0 :(得分:1)
我怀疑这是由于参考问题。您需要覆盖Equals();
课程中的Country
方法进行检查。
我会使用这样的代码:
public bool Equals(Country other)
{
return this.CountryName.Equals(other.CountryName);
}
答案 1 :(得分:0)
那是因为IndexOf使用引用相等来比较对象
您可以使用此
var newcountry = new Country
{
CountryCode = "VE",
CountryName = "VENEZUELA"
};
bool country = ListBoxCountries.Items.Cast<Country>().FirstOrDefault(c=>c.CountryCode == newcountry.CountryCode && c.CountryName == newcountry.CountryName)
if(country == null)
countries.Add(newcountry);
或者你可以更好地ovverride Equals()方法来比较对象。