方法无法显式调用operator或accessor

时间:2016-02-19 08:06:45

标签: c#

我添加了.dll:AxWMPLib并使用方法get_Ctlcontrols(),但它显示的错误如下:

  

AxWMPLib.AxWindowsMediaPlayer.Ctlcontrols.get':无法显式调用operator或accessor

这是我使用get_Ctlcontrols()方法的代码:

this.Media.get_Ctlcontrols().stop();

我不知道为什么会出现此错误。任何人都可以解释我以及如何解决这个问题吗?

1 个答案:

答案 0 :(得分:6)

看起来您正试图通过显式调用其get方法来访问属性。

试试这个(请注意get_()缺失):

this.Media.Ctlcontrols.stop();

以下是一个关于属性如何在C#中工作的小例子 - 只是为了让你理解,这并不是假装准确,所以请阅读比这更严肃的事情:)

using System;

class Example {

    int somePropertyValue;

    // this is a property: these are actually two methods, but from your 
    // code you must access this like it was a variable
    public int SomeProperty {
        get { return somePropertyValue; }
        set { somePropertyValue = value; }
    }
}

class Program {

    static void Main(string[] args) {
        Example e = new Example();

        // you access properties like this:
        e.SomeProperty = 3; // this calls the set method
        Console.WriteLine(e.SomeProperty); // this calls the get method

        // you cannot access properties by calling directly the 
        // generated get_ and set_ methods like you were doing:
        e.set_SomeProperty(3);
        Console.WriteLine(e.get_SomeProperty());

    }

}
相关问题