8

我有这样的课:

public ref class Test
{
public:
    property int MyProperty;
};

这行得通。现在我想将 MyProperty 的实现移动到 CPP 文件中。当我这样做时,我得到了属性已经定义的编译器错误:

int Test::MyProperty::get() { return 0; }

什么是正确的语法?

4

2 回答 2

19

在标题中将声明更改为:

public ref class Test
{
public:
    property int MyProperty
    {
        int get();
        void set( int );
    }
private:
    int m_myProperty;
};

然后,在 cpp 代码文件中编写您的定义,如下所示:

int Test::MyProperty::get()
{
    return m_myProperty;
}
void Test::MyProperty::set( int i )
{
    m_myProperty = i;
}

您看到错误的原因是您已经声明了一个简单的属性,编译器会在该属性中为您生成一个实现。但是,然后您也尝试显式地提供一个实现。请参阅:http: //msdn.microsoft.com/en-us/library/windows/apps/hh755807 (v=vs.110).aspx

大多数在线示例仅在类定义中直接显示实现。

于 2012-05-07T16:36:22.050 回答
4

在类定义中,需要将属性声明为带有用户声明getset方法的属性;它不能是速记属性:

public ref class Test
{
public:

    property int MyProperty { int get(); void set(int); }
};

然后在 cpp 文件中你可以定义get()set()方法:

int Test::MyProperty::get()
{
    return 42;
}

void Test::MyProperty::set(int)
{ 
    // set the value
}
于 2012-05-07T16:33:00.360 回答