具有多种功能的命令行软件的设计模式

时间:2017-10-26 14:14:38

标签: design-patterns

我正在开发一个将从命令行调用的程序。该软件将是一种“套件”,具有不同的功能,基于调用程序时定义的不同标志。其中一些功能与其他功能大不相同,唯一的相似之处在于它所运行的文件类型。

我想知道实现这种功能的最佳设计模式是什么?我已经阅读了关于立面设计模式,它将每个模块分成不同的子系统。在不同的外观下构建每个功能将使其保持模块化,并允许我构建一个类来处理要调用的外观。

这是最好的方法吗,或者你会推荐不同的东西吗?

谢谢, 萨姆

2 个答案:

答案 0 :(得分:3)

您可能想查看strategy pattern

  

策略模式(也称为策略模式)是一种行为软件设计模式,可以在运行时选择算法

答案 1 :(得分:1)

因为这是一个命令行应用程序,我认为Command pattern可能对您有用。就个人而言,我认为这是构建控制台应用程序的好方法。

这是一种支持多个命令的可能实现(在c#中):

// The main class, the entry point to the program
internal class Program
{
    private static void Main(string[] args)
    {
        var p = new Processor();
        p.Process(args);
    }
}

/* La clase de procesador de comandos, básicamente toma sus parámetros de entrada para crear el comando que necesita ejecutar y ejecuta el comando. */
public class Processor
{
    private CommandFactory _commandFactory;

    public Processor()
    {
        _commandFactory = new CommandFactory();
    }

    public void Process(string[] args)
    {
        var arguments = ParseArguments(args);
        var command = _commandFactory.CreateCommand(arguments);

        command.Execute();
    }

    private CommandArguments ParseArguments(string[] args)
    {
        return new CommandArguments
        {
            CommandName = args[0]
        };        
    }
}

/* Creates a command based on command name */
public class CommandFactory
{
    private readonly IEnumerable<ICommand> _availableCommands = new ICommand[]
                    {
                        new Command1(), new Command2(), .....
                    };

    public ICommand CreateCommand(CommandArguments commandArguments)
    {
        var result = _availableCommands.FirstOrDefault(cmd => cmd.CommandName == commandArguments.CommandName);
        var command = result ?? new NotFoundCommand { CommandName = commandArguments.CommandName };
        command.Arguments = commandArguments;

        return command;
    }
}

public interface ICommand
{
    string CommandName { get; }
    void Execute();
}

/* One of the commands that you want to execute, you can create n implementations of ICommand */
public class Command1 : ICommand
{
    public CommandArguments Arguments { get; set; }

    public string CommandName
    {
        get { return "c1"; }
    }

    public void Execute()
    {
        // do whatever you want to do ...
        // you can use the Arguments
    }
}


/* Null object pattern for invalid parametters */
public class NotFoundCommand : ICommand
{
    public string CommandName { get; set; }

    public void Execute()
    {
        Console.WriteLine("Couldn't find command: " + CommandName);
    }
}