3

我在 CORBA 中对自己的用户定义异常有一些问题。这是我非常简单的代码:

interface Interfface
{
    exception myOwnException {};

    void ffunction(in double arg) raises (myOwnException);
};

#include "Interfface.hh"

class Implementation : public POA_Interfface
{
    public :
        virtual void ffunction(double arg) throw (myOwnException);
};

#include "Implementation.h"

void Implementation::ffunction(double arg) throw (myOwnException)
{   
    arg ++;    
    throw (myOwnException);
}

当我编译 Implementation.cpp 时,它给了我一些错误(http://pastie.org/private/a22ikk09zkm9tqywn37w):

Implementation.cpp: In member function ‘virtual void Implementation::ffunction(double)’:
Implementation.cpp:5: error: ‘myOwnException’ was not declared in this scope
In file included from Implementation.cpp:1:
Implementation.h:6: error: expected type-specifier before ‘myOwnException’
Implementation.h:6: error: expected ‘)’ before ‘myOwnException’
Implementation.h:6: error: expected ‘;’ before ‘myOwnException’
Implementation.cpp:3: error: expected type-specifier before ‘myOwnException’
Implementation.cpp:3: error: expected ‘)’ before ‘myOwnException’
Implementation.cpp:3: error: expected initializer before ‘myOwnException’

这段代码有什么问题?还有一个问题:我如何在 Java 中做同样的事情?

这是我的代码:http ://speedy.sh/F5utX/user-defined-exception.tar 我在java中做了同样的事情(代码也在user-defined-exception.tar)但是java代码给了我这个:

Note: InterffacePOA.java uses unchecked or unsafe operations.
Note: Recompile with -Xlint:unchecked for details.
4

1 回答 1

2

您应该创建异常类型的新实例,如下所示:

throw myOwnException();

您可能还需要限定命名空间:

throw Interfface::myOwnException();

顺便说一句, throw 声明在大多数(阅读“全部”)编译器实现中确实没有任何有用的效果,并且在 C++11 中已被弃用。我知道它们可能是在这里自动生成的,但还是很高兴知道。我发现在实践中,这些声明往往会随着随后的源代码更改而不再准确。不要将它们拖到您的实现文件中。另一方面,您使用了无意义的变量和类型名称,并且没有一致的命名约定。

编辑:正如 Johnny Willemsen 所说,您可以将成员添加到异常中,如下所示:

exception myOwnException {
    string reason;
};

每个异常成员都将表示为公共类成员。将生成必要的构造函数,因此您可以抛出这样的异常:

throw Interfface::myOwnException("Wrong polarity!");

当抛出异常时,如果它没有在本地捕获,那么它会被序列化并传播到客户端(远程过程调用者)。在那里它将被反序列化,因此您可以像这样捕获它并访问它的成员:

try
{
    server->ffunction(0);
}
catch(const Interfface::myOwnException &ex)
{
    std::cout << ex.reason;
}

在 C++ 中,您通常通过常量引用来捕获异常(这也取决于它是如何抛出的)。我是凭记忆写的(CORBA 的东西),所以我希望我不会遗漏任何重要内容。

于 2012-05-05T09:45:19.263 回答