0

我有两台服务器,我将从一个客户端连接到它们。对于每台服务器,我将执行一个 ftp “put”和一个“rm”。

我应该建立一个门面,并有一个这样的界面:

void putFileOnServer1(String file)
void putFileOnServer2(String file)
void removeFromServer1(String file)
void removeFromServer2(String file)

而且,立面应该处理所有连接的建立和断开连接吗?如果是这样,它应该使用工厂这样做吗?

4

3 回答 3

1

ftp 服务器有不同的接口吗?还是他们都理解您想要使用的同一组命令?

  1. 如果是这样,那么只需创建一个FtpServer接受连接信息的类。并创建一个FtpClient接受多个服务器的类,例如,您可以通过某些键进行选择。(至少在某种程度上,这可能是我会做的事情)。

    class FtpClient
    {
        public function addServer( FtpServer $server, $key );
    
        public function selectServer( $key );
    
        public function putFileOnServer( $file );
    
        public function removeFileFromServer( $file );
    }
    
  2. 如果没有,并且您已经为每个单独的实现提供了一个类,它们的接口不同,例如:

    class FtpServerFoo
    {
        public function selectFile( $file );
        public function removeSelectedFile();
    }
    
    class FtpServerBar
    {
        public function removeFile( $file );
    }
    

    ...您应该查看适配器模式

    abstract class FtpServer
    {
        abstract public function putFile( $file );
        abstract public function removeFile( $file );
    }
    
    class FtpServerAdapterFoo
        extends FtpServer
    {
        public function __construct( FtpServerFoo $server )
        {
        }
    
        public function removeFile( $file )
        {
            $this->server->selectFile( $file );
            $this->server->removeSelectedFile();
        }
    }
    
    class FtpServerAdapterBar
        extends FtpServer
    {
        public function __construct( FtpServerBar $server )
        {
        }
    
        public function removeFile( $file )
        {
            $this->server->removeFile( $file );
        }
    }
    
    $cilent = new FtpClient();
    $client->addServer( new FtpServerAdapterFoo( new FtpServerFoo() ), 0 );
    $client->addServer( new FtpServerAdapterBar( new FtpServerBar() ), 1 );
    
    $client->selectServer( 0 );
    $client->putFileOnServer( $file );
    
    $client->selectServer( 1 );
    $client->removeFileFromServer( $someOtherfile );
    
  3. 如果您还没有针对不同 FTP 服务器的单独类,那么您可以为每个 ftp 服务器实现实现相同的接口(或继承一个抽象类),并再次使用与上述相同类型的 FtpClient 类。

    不过,这里并不是真正涉及的外观模式。

于 2011-09-29T23:20:09.553 回答
1

您有两种方法,PutFileOnServer 和 RemoveFromServer。您要放置或删除的服务器应该是抽象的一部分。

于 2011-09-29T22:29:46.643 回答
0

您通常使用外观来降低多种对象类型之间的复杂性。但是,在这种情况下,您似乎只想使用一种功能“类型”,即“FTPServer”。那么,在大多数情况下,您应该只有两个这种类型的实例,并且这种类型将有一个“put”和“remove”方法。

当您添加不必要的功能点时,实际上会增加维护的复杂性。例如,如果您需要为您的函数添加一个新参数(可能是访问限制或其他),您不仅需要针对每个使用地点进行更改,而且现在必须添加每个外观方法。抽象应该减少这种类型的耦合,而不是增加它。

于 2011-09-29T22:34:20.553 回答