我正在使用Com4J与Microsoft Outlook进行交互。我根据Com4J tutorial生成了Java类型定义。以下是一些等待用户关闭电子邮件的代码示例。
// Registers my event handler
mailItem.advise(
ItemEvents.class,
new ItemEvents() {
@Override
public void close(Holder<Boolean> cancel) {
// TODO Auto-generated method stub
super.close(cancel);
System.out.println("Closed");
}
}
);
// Displays the email to the user
mailItem.display();
此代码成功向用户显示电子邮件。不幸的是,当用户关闭窗口时,我的程序永远不会打印"Closed"
。
答案 0 :(得分:4)
当Com4J在我的场景中生成一个事件类(ItemEvents
)时,所有生成的方法的默认行为是抛出UnsupportedOperationException
(有关详细信息,请参阅com4j.tlbimp.EventInterfaceGenerator
类)。 / p>
例如,以下是我的匿名类重写的close
类的ItemEvents
方法:
@DISPID(61444)
public void close(Holder<Boolean> cancel) {
throw new UnsupportedOperationException();
}
因此,当我的匿名类调用super.close(cancel);
时,父类会抛出UnsupportedOperationException
,阻止执行到达我的System.out.println("Closed");
语句。因此,我的匿名类应该真的看起来像这样:
mailItem.advise(
ItemEvents.class,
new ItemEvents() {
@Override
public void close(Holder<Boolean> cancel) {
System.out.println("Closed");
}
}
);
让我感到惊讶的是,Com4J似乎只是忽略了从事件处理程序中抛出的UnsupportedOperationException
,让我没有指出实际发生了什么。我写了这段代码来演示:
mailItem.advise(
ItemEvents.class,
new ItemEvents() {
@Override
public void close(Holder<Boolean> cancel) {
System.out.println("Getting ready to throw the exception...");
throw new RuntimeException("ERROR! ERROR!");
}
}
);
程序发出此输出:
Getting ready to throw the exception...
但是,没有迹象表明曾经抛出RuntimeException
。