我正在用C#编写一个类库(API)。该类是非静态的,包含几个公共事件。是否可以从单独的类中的静态方法触发这些事件? 例如......
class nonStaticDLLCLASS
{
public event Event1;
public CallStaticMethod()
{
StaticTestClass.GoStaticMethod();
}
}
class StaticTestClass
{
public static GoStaticMethod()
{
// Here I want to fire Event1 in the nonStaticDLLCLASS
// I know the following line is not correct but can I do something like that?
(nonStaticDLLCLASS)StaticTestClass.ObjectThatCalledMe.Event1();
}
}
我知道您通常必须创建非静态类的实例才能访问它的方法,但在这种情况下,实例已经创建,而不是由尝试访问它的类创建。
答案 0 :(得分:4)
不可以,只能在类型的有效实例上调用/访问实例成员。
为了使其正常工作,您必须将nonStaticDLLCLASS
的实例传递给StaticTestClass.GoStaticMethod
并使用该实例引用来调用/访问非静态成员。
在上面的示例中,如何指定要访问的类型的哪个实例?静态方法没有任何实例的知识,所以它如何知道使用哪一个或者内存中是否有任何加载?
考虑这个例子:
using System;
class Dog
{
public String Name { get; set; }
}
class Example
{
static void Main()
{
Dog rex = new Dog { Name="Rex" };
Dog fluffy = new Dog { Name="Fluffy" };
}
static void sayHiToDog()
{
// In this static method how can I specify which dog instance
// I mean to access without a valid instance? It is impossible since
// the static method knows nothing about the instances that have been
// created in the static method above.
}
static void sayHiToDog(Dog dog)
{
// Now this method would work since I now have an instance of the
// Dog type that I can say hi to.
Console.WriteLine("Hello, " + dog.Name);
}
}
答案 1 :(得分:3)
只能在实例上调用实例方法。在您的示例中,实例正在调用静态方法。你能给静态方法一个参数,允许实例传入对它自己的引用吗?像这样:
class nonStaticDLLCLASS
{
public event Event1;
public CallStaticMethod()
{
StaticTestClass.GoStaticMethod(this);
}
}
class StaticTestClass
{
public static GoStaticMethod(nonStaticDLLCLASS instance)
{
// Here I want to fire Event1 in the nonStaticDLLCLASS
// I know the following line is not correct but can I do something like that?
instance.Event1();
}
}
我认为你需要澄清你的问题,以明确为什么你不能做这样的事情,或者为什么实例不能提出自己的事件。