我们如何在使用过的接口和构造的 C# 中为 List<string> 抛出异常?
How can we throw exception for List<string> in C# with used interfaces and constructs?
我需要在 class 城市中存储公司名称(名称可以在当前城市中存在一次)的列表上调用 throw ArgumentException。如果我有一个名称列表,如何创建一个名称列表并抛出异常?
class City : ICity
{
private List<string> _companyNames;
internal City(string name)
{
this.Name = name;
_companyNames = new List<string>();
}
public string Name
{
get;
}
public ICompany AddCompany(string name)
{
if (string.IsNullOrEmpty(name))
{
throw new ArgumentNullException("invalid name");
}
//create a list and check if exist
List<string> _companyNames = new List<string>() {name, name, name};
//public bool Exists(Predicate<T> match);
//Equals(name) or sequennceEqual
if (!_companyNames.Equals(obj: name))
{
throw new ArgumentException("name already used");
}
return new Company(name, this);
}
}
不要使用 List<string>
进行唯一性检查。随着列表的增长,它的效率会降低。考虑为此使用 HashSet<string>
。
class City
{
private readonly HashSet<string> _companyNames = new HashSet<string>();
public ICompany AddCompany(string name)
{
// check 'name' for null here ...
// ...
// 'Add' will return 'false' if the hashset already holds such a string
if (!_companyNames.Add(name))
{
throw new ArgumentException("Such a company already exists in this city");
}
// ... your code
}
}
如果您希望 Add 本身抛出异常,您可以做的一件事是创建您自己的实现。类似于以下内容:
public class MyList<T> : List<T>
{
public new void Add(T item)
{
if (Contains(item))
{
throw new ArgumentException("Item already exists");
}
base.Add(item);
}
}
我需要在 class 城市中存储公司名称(名称可以在当前城市中存在一次)的列表上调用 throw ArgumentException。如果我有一个名称列表,如何创建一个名称列表并抛出异常?
class City : ICity
{
private List<string> _companyNames;
internal City(string name)
{
this.Name = name;
_companyNames = new List<string>();
}
public string Name
{
get;
}
public ICompany AddCompany(string name)
{
if (string.IsNullOrEmpty(name))
{
throw new ArgumentNullException("invalid name");
}
//create a list and check if exist
List<string> _companyNames = new List<string>() {name, name, name};
//public bool Exists(Predicate<T> match);
//Equals(name) or sequennceEqual
if (!_companyNames.Equals(obj: name))
{
throw new ArgumentException("name already used");
}
return new Company(name, this);
}
}
不要使用 List<string>
进行唯一性检查。随着列表的增长,它的效率会降低。考虑为此使用 HashSet<string>
。
class City
{
private readonly HashSet<string> _companyNames = new HashSet<string>();
public ICompany AddCompany(string name)
{
// check 'name' for null here ...
// ...
// 'Add' will return 'false' if the hashset already holds such a string
if (!_companyNames.Add(name))
{
throw new ArgumentException("Such a company already exists in this city");
}
// ... your code
}
}
如果您希望 Add 本身抛出异常,您可以做的一件事是创建您自己的实现。类似于以下内容:
public class MyList<T> : List<T>
{
public new void Add(T item)
{
if (Contains(item))
{
throw new ArgumentException("Item already exists");
}
base.Add(item);
}
}