9
private Vector2 ResolveCollision(ICollidable moving, ICollidable stationary)
{
    if (moving.Bounds.Intersects(stationary.Bounds))
    {
        if (moving is Player)
        {
            (Player)moving.Color = Color.Red;
        }
    }
    // ...
}

我有一个Player实现ICollidable. 出于调试目的,我只是试图将一堆传递ICollidables给这个方法,并在它是播放器时做一些特殊的事情。但是,当我尝试进行强制转换Player时,ICollidable我收到一个错误,告诉我ICollidable没有Color属性。

我不能以这种方式进行演员表还是我做错了什么?

4

6 回答 6

16

我建议使用as而不是is

Player player = moving as Player;
if (player != null)
{
    player.Color = Color.Red;
}

优点是您只进行一次类型检查。


您的代码不起作用的具体原因(如其他答案中所述)是因为operator priority。该.运算符是一个优先级高于作为一元运算符的强制转换运算符的运算符。您的代码解释如下:

(Player)(moving.Color) = Color.Red;

按照其他答案的建议添加括号可以解决此问题,但更改为使用as而不是is使问题完全消失。

于 2012-11-09T14:12:27.687 回答
9

您的语法正在转换ColorPlayer,而不是moving

((Player)mover).Color = Color.Red;
//^do the cast  ^access the property from the result of the cast

此外,as往往会更好一点。如果失败,结果是null

var player = moving as Player;
if(player != null)
{
    player.Color = Color.Red;
}
于 2012-11-09T14:12:25.063 回答
3

并不是它不起作用,而是语法“有些”错误。

试试这个:

((Player) moving).Color = Color.Red;
于 2012-11-09T14:13:44.510 回答
2

您应该添加额外的括号:

((Player)moving).Color = Color.Red;
于 2012-11-09T14:12:27.320 回答
2

您需要在演员表和变量周围加上括号:

((Player)moving).Color = Color.Red;

否则,您将尝试转换moving.ColorPlayer.

于 2012-11-09T14:13:01.140 回答
2

您忘记了一个括号:

改变

 (Player)moving.Color = Color.Red;

 ((Player)moving).Color = Color.Red;

您也可以使用as运算符进行强制转换。

Player p = moving as Player;
if (p != null)
{
    p.Color = Color.Red;
}
于 2012-11-09T14:13:15.633 回答