我正在尝试在 Action 过滤器中向下转换 Controller 实例,但是这样做有问题。

我有一个DefaultController类:

public abstract partial class DefaultController<T> : Controller where T : IBaseEntity
{

}
IBaseEntity是:
public interface IBaseEntity
{
    int Id { get; set; }
    DateTime CreatedOn { get; set; }
    DateTime ModifiedOn { get; set; }
    int CreatedBy { get; set; }
    int ModifiedBy { get; set; }
    int OwnerId { get; set; }

}

我有一个 Controller 实例,继承了DefaultController:
public class WorkflowController : DefaultController<Workflow>
{
}
Workflow继承了实现BaseEntityIBaseEntity

现在,在我的 Action 过滤器中,从代码角度来看,不可能知道请求在哪个 Controller 上运行,因此我尝试将其转换为DefaultController
public class AddHeaders : ActionFilterAttribute
{
    public override void OnActionExecuted(ActionExecutedContext filterContext)
    {

        var defaultControllerGenericType = controller.GetType().BaseType.GenericTypeArguments.FirstOrDefault();
        //this retrieve with which type DefaultController was initiated with...
        var controller = filterContext.Controller as DefaultController<BaseEntity>;
        //this returns null...
        var controller2 = filterContext.Controller as DefaultController<IBaseEntity>;
        //this does so as well.

    }
}

我尝试使用defaultControllerGenericType,但无法在任何地方传递它,或者至少我缺少正确的语法。

有什么办法吗?

最佳答案

理解为什么这是不可能的。

public abstract partial class DefaultController<T> : Controller where T : IBaseEntity { ... }
public class WorkflowController : DefaultController<Workflow> { ... }

在这里,让我重写一下:
class Container { }
class Animal { }
class Fish : Animal { }
class Cage<T> : Container where T : Animal
{
  public T Contents { get; set; }
}
class Aquarium : Cage<Fish> { }

现在的问题是,当我有以下情况时会发生什么:
Aquarium a = new Aquarium(); // Fine
Cage<Fish> cf = a; // Fine
Container c = a; // Fine
Cage<Animal> ca1 = a; // Nope
Cage<Animal> ca2 = a as Cage<Animal>; // Null!

为什么不允许这样做?好吧,假设它被允许了。
Cage<Animal> ca = a; // Suppose this is legal
Tiger t = new Tiger(); // Another kind of animal.
ca.Contents = t; // Cage<Animal>.Contents is of type Animal, so this is legal

我们只是将老虎放到了水族馆中。这就是为什么这是非法的。

正如乔恩·斯基特(Jon Skeet)所说,一碗苹果不是一碗水果。您可以将香蕉放入一碗水果中,但不能将香蕉放入一碗苹果中,因此它们是不同的类型!

关于c# - 如何在通用约束下进行这种棘手的向下转换?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52599260/

10-09 18:18