使用 RMI(远程方法调用)时,接口中定义的所有方法都需要扩展Remote
以包含RemoteException
在其throws
子句中。
例如,请参阅本 RMI 教程Computing
中的以下界面。
public interface Compute extends Remote {
<T> T executeTask(Task<T> t) throws RemoteException;
}
Remote
问题是编译器不检查方法是否定义正确,而是在程序在执行过程中遇到不抛出的接口中的方法时抛出异常RemoteException
。
如果在程序实际运行之前发现这些问题会更好。如何为这种情况编写测试?
编辑:我添加了一个示例代码来演示这个问题。
pom.xml
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion>
<groupId>test</groupId>
<artifactId>test</artifactId>
<version>0.0.1-SNAPSHOT</version>
<dependencies>
<dependency>
<groupId>junit</groupId>
<artifactId>junit</artifactId>
<version>4.12</version>
</dependency>
<dependency>
<groupId>org.codehaus.mojo</groupId>
<artifactId>rmic-maven-plugin</artifactId>
<version>1.2.1</version>
</dependency>
</dependencies>
</project>
src/main/java/test/RemoteExample.java
package test;
import java.rmi.Remote;
public interface RemoteExample extends Remote {
// the method does not throw RemoteException
void action();
}
src/test/java/test/RemoteExampleTest.java
package test;
import java.rmi.RemoteException;
import java.rmi.server.UnicastRemoteObject;
import org.junit.Test;
public class RemoteExampleTest {
@Test
public void test1() throws RemoteException {
RemoteExample example = new RemoteExample() {
public void action() {
// do nothing
}
};
// this fails
RemoteExample exported = (RemoteExample) UnicastRemoteObject.exportObject(example, 0);
}
}
mvn test
失败,因为该方法RemoteExample.action()
在Remote
接口中声明但没有 throw RemoteException
,因此无法导出。但是,如果@Ignore
在测试之前添加,maven build 会成功结束,这意味着条件没有经过测试。
我看到了一个编写自定义测试的解决方案,该测试将查看每个Remote
接口并RemoteException
使用反射检查每个方法是否抛出。但我相信有更好的方法。