c#中是否有类似的类型定义,或者以某种方式获得类似的行为?我在谷歌上搜了一下,但到处都是否定的。目前我的情况类似如下:

class GenericClass<T> 
{
    public event EventHandler<EventData> MyEvent;
    public class EventData : EventArgs { /* snip */ }
    // ... snip
}

现在,当尝试为该事件实现一个处理程序时,这可能很快导致大量输入(为这个可怕的双关语道歉),这并不需要一个火箭科学家来理解。结果是这样的:

GenericClass<int> gcInt = new GenericClass<int>;
gcInt.MyEvent += new EventHandler<GenericClass<int>.EventData>(gcInt_MyEvent);
// ...

private void gcInt_MyEvent(object sender, GenericClass<int>.EventData e)
{
    throw new NotImplementedException();
}

只不过,在我的例子中,我已经使用了复杂类型,而不仅仅是int型。如果能简化一下就好了……

编辑:ie。也许是对EventHandler进行类型定义,而不需要重新定义它来获得类似的行为。


当前回答

自从c# 10.0引入以来,我们现在有了全局的using指令。

global using CustomerList = System.Collections.Generic.List<Customer>;

这在全局作用域中(贯穿整个项目和对它的所有引用)引入CustomerList作为List<Customer>的别名。

虽然我希望能够限制它的范围(例如“内部使用”),但这实际上在c#中实现类型定义变量方面做得很好。

其他回答

我在c#中发现的typedef的最佳替代方法是使用。例如,我可以用下面的代码通过编译器标志来控制浮点精度:

#if REAL_T_IS_DOUBLE
using real_t = System.Double;
#else
using real_t = System.Single;
#endif

不幸的是,它要求您将它放在使用real_t的每个文件的顶部。目前没有办法在c#中声明全局命名空间类型。

c#支持一些事件委托的继承协方差,所以像这样的方法:

void LowestCommonHander( object sender, EventArgs e ) { ... } 

可以用来订阅您的事件,没有显式强制转换所需

gcInt.MyEvent += LowestCommonHander;

你甚至可以使用lambda语法,智能感知将为你完成:

gcInt.MyEvent += (sender, e) =>
{
    e. //you'll get correct intellisense here
};

我会做

using System.Collections.Generic;
global using CustomerList = List<Customer>;

这是它的代码,享受吧!,我从dotNetReference中得到的 在命名空间第106行中键入“using”语句 http://referencesource.microsoft.com/#mscorlib/microsoft/win32/win32native.cs

using System;
using System.Collections.Generic;
namespace UsingStatement
{
    using Typedeffed = System.Int32;
    using TypeDeffed2 = List<string>;
    class Program
    {
        static void Main(string[] args)
        {
        Typedeffed numericVal = 5;
        Console.WriteLine(numericVal++);

        TypeDeffed2 things = new TypeDeffed2 { "whatever"};
        }
    }
}

Jon给出了一个很好的解决方案,我不知道你能做到!

有时我要做的是从类继承并创建它的构造函数。如。

public class FooList : List<Foo> { ... }

不是最好的解决方案(除非您的程序集被其他人使用),但它是有效的。