在广告资源计划中,我创建了类Item
和ItemCollection
,以及派生类Computer : Item
。
在表单中,我创建了一个ItemCollection
(Item
的通用列表),名为TheseItems
(包括一些计算机),我想显示每个项目的属性{{ 1}}(如位置,数量等)。
执行此操作时,我还想显示计算机的不同属性(例如CPU,HDD和RAM)。到目前为止我有这个:
ThisItem
到目前为止,没有错误,但我不确定如何继续。可以做我想做的事吗?
编辑:谢谢,牛排!我担心铸造不允许我访问预先指定的属性(并且只允许分配新属性),但幸运的是我错了!我现在有:foreach (Item ThisItem in TheseItems)
{
//Display properties of Item instance “ThisItem” (Excluded for ease of reading)
if (ThisItem is Computer)
{
//Display distinct properties of Computer instance “ThisItem”
}
}
我收到的快速帮助给我留下了深刻的印象。谢谢!
答案 0 :(得分:1)
你有什么工作。
foreach (Item ThisItem in TheseItems)
{
//Display properties of Item instance “ThisItem” (Excluded for ease of reading)
if (ThisItem is Computer)
{
Computer computerItem = (Computer)ThisItem;
//Display distinct properties of Computer instance “ThisItem”
}
}
或使用as
关键字进行略微优化:
foreach (Item ThisItem in TheseItems)
{
//Display properties of Item instance “ThisItem” (Excluded for ease of reading)
var computerItem = ThisItem as Computer;
if (computerItem != null)
{
//Display distinct properties of Computer instance “ThisItem”
}
}
另外,我的一个朋友写了一个很好的实用工具类来帮助解决这个问题。我以为我会发布它,因为它结果非常有用。
foreach (Item ThisItem in TheseItems)
{
//Display properties of Item instance “ThisItem” (Excluded for ease of reading)
ThisItem.Match()
.Case<Computer>(comp => /* Do stuff with your computer */)
.Case<Television>(tv => /* Do stuff with your television */)
.Default(item => /* Do stuff with your item */);
}
实用程序类看起来像这样。下面给出了要点,它非常容易扩展。
public class Matcher<TMatch>
{
private readonly TMatch _matchObj;
private bool _isMatched;
public Matcher(TMatch matchObj)
{
this._matchObj = matchObj;
}
public Matcher<TMatch> Case<TCase>(Action<TCase> action) where TCase : TMatch
{
if(this._matchObj is TCase)
{
this.DoCase(() => action((TCase)this._matchObj));
}
return this;
}
public void Default(Action<TMatch> action)
{
this.DoCase(() => action(this._matchObj));
}
private void DoCase(Action action)
{
if (!this._isMatched)
{
action();
this._isMatched = true;
}
}
}
public static class MatcherExtensions
{
public static Matcher<TMatch> Match<TMatch>(this TMatch matchObj)
{
return new Matcher<TMatch>(matchObj);
}
}
答案 1 :(得分:1)
这是我通常使用的方法。它可能比检查类型然后再进行铸造略快(我没有证明这一点)。
foreach (Item ThisItem in TheseItems)
{
//Display properties of Item instance “ThisItem” (Excluded for ease of reading)
var computer = ThisItem as Computer;
if (computer != null)
{
//Display distinct properties of Computer instance “ThisItem”
}
}
答案 2 :(得分:1)
告诉,不要问。
不要问ThisItem
它的属性,所以你可以写它们,告诉它为你写它们
foreach (Item ThisItem in TheseItems)
{
ThisItem.DisplayProperties(Console.out);
}
然后,将DisplayProperties()
设为虚拟,并在Computer
中重载它以包含其独有的属性。
答案 3 :(得分:0)
是的,就在您的IF子句中,强制转换为派生类,并且属性可用。
foreach (Item ThisItem in TheseItems)
{
//Display properties of Item instance “ThisItem” (Excluded for ease of reading)
if (ThisItem is Computer)
{
var ThisComputer = (Computer) ThisItem;
Display(ThisComputer.CPU);
//etc
}
}