后备机制 - 最佳方法?

时间:2014-09-22 05:32:33

标签: java fallback

不确定是否必须在另一个Stack Exchange网站上询问此问题,如果是,请相应地迁移!

我有三种不同类型的服务器连接。这些可以在属性文件中配置。

假设有三台服务器:

Server1
Server2
Server3

Properties文件中,我配置如下:

ServerPref1 = Server1
ServerPref2 = Server2
ServerPref3 = Server3

在代码级别,我的后退机制如下:

    private static void getServerAndConnect() {
        try {
            connect(Properties.ServerPref1);
        } catch (ServerException se1) {
            try {
                connect(Properties.ServerPref2);
            } catch (ServerException se2) {
                try {
                    connect(Properties.ServerPref3);
                } catch (ServerException se3) {
                    // Unable to connect
                }
            }
        }
    }

如果无法连接到服务器,connect()方法将抛出自定义ServerException

一切都按预期工作。

我的问题是: 这是实施回退机制的正确或最佳方式吗?

2 个答案:

答案 0 :(得分:7)

我建议使用服务器连接列表,然后您可以使用循环而不是嵌套,这样您就可以添加更多服务器而无需更改代码。

由于每个连接都有单独的属性,所以我可以提供的最好的属性,而不会看到其余的代码是将这些字段放入临时列表并循环遍历。

理想情况下,使您的属性解析代码也可以将连接写入List,这样您就可以拥有任意数量的服务器,而无需向Properties类添加新字段。

private static void getServerAndConnect() {
    List<ServerPref> serverPrefs = Arrays.asList(Properties.ServerPref1, Properties.ServerPref2, Properties.ServerPref3);

    for (ServerPref serverPref : serverPrefs) {
        try {
            connect(serverPref);
            // test success of connection? and break out of the loop
            break;
        } catch (ServerException se1) {
            // log error and go onto next one
        }
    }
}

答案 1 :(得分:1)

一般方法都可以。根据您的需求,您可以进行一些改进:

总有三台服务器吗?如果数字可以更改,请将您的服务器放在一个列表中,并迭代该列表以查找第一个正常运行的服务器。

如果您希望您的工作负载更均匀地分布在服务器上,而不是所有连接到第一台服务器(如果可用),请在迭代之前随机化服务器列表,或使用循环法。

如果经常调用getServerAndConnect()方法,请考虑记住最终使用的服务器,并在下次使用该服务器,因为概率仍然是可达的。