0

我有一个库存管理系统,它读取 Items 和 Stores 的 .txt 文件和一个名为 Stocks 的桥实体,并输出一个 .txt 文件,该文件显示基于这三个文件的信息。

它在底部。

public class Ims {

    private static Logger LOG = Logger.getLogger(Ims.class);

    public static void main(String[] args) throws Exception {
        PropertyConfigurator.configure("log.properties");

        LOG.debug("main()");

        File itemsFile = new File("items.txt");
        File storesFile = new File("stores.txt");
        File stockFile = new File("stocks.txt");

        if (!itemsFile.exists()) {
            LOG.error("Required 'items.txt' is missing");
        } else if (!storesFile.exists()) {
            LOG.error("Required 'stores.txt' is missing");
        }

        new Ims(itemsFile, storesFile, stockFile);
    }

    public Ims(File itemsFile, File storesFile, File stockFile) {
        LOG.debug("Ims()");
        HashMap<String, Item> items = null;
        HashMap<String, Store> stores = null;
        List<Stock> stocks = null;

        try {
            items = InventoryReader.read(itemsFile);
            stores = StoresReader.read(storesFile);
            stocks = StockReader.read(stockFile);
        } catch (ApplicationException e) {
            LOG.error(e.getMessage());
            return;
        }

        // Collections.sort(items, new CompareByPrice()); <-- this should sort it. How do I do this as a command line argument?

        File inventory = new File("inventory.txt");
        PrintStream out = null;
        try {
            out = new PrintStream(new FileOutputStream(inventory));
            InventoryReport.write(items, stores, stocks, out);
        } catch (FileNotFoundException e) {
            LOG.error(e.getMessage());
        }
    }
}

我希望能够使用命令行参数以多种方式对读取的参数进行排序。

例如:

java –jar Ims.jar by_value desc total

我该怎么做?

4

2 回答 2

5

您在 java 调用中放入的命令行参数出现在方法的args参数中 Main

所以,你会有

 args[0] = "by_value"
 args[1] = "desc"
 args[2] = "total"

更新:如果您的命令行很复杂(标志、任何顺序的参数/缺失),有一个 Apache CLI(命令行界面)库可以帮助处理它。

于 2012-11-05T18:42:47.190 回答
5

你有什么问题?阅读实际的命令行参数?您可以使用 args[] 数组来执行此操作,然后只需为您允许对排序执行任何操作的所有不同命令行参数放置一个开关。

args[] 数组内置于多种语言(包括 java)中,允许您轻松访问通过命令行调用某些内容时传入的参数。例如,我相信您的示例,您可以通过 args[0] 读取“by_value”,通过 args[1] 读取 desc,通过 args[2] 读取总计等。

因此,为了澄清我在下面的评论中所说的话,你最终会想要这样的东西:

if (args.length > 0)
{
  for (int i=0; i<args.length;i++)
  {
     switch(args[i])
     {
        case <whatever your keyword is>: code for this keyword here
                                      break;
        case <next keyword>: code for next keyword
                             break;
     }
  }
}

等等

很抱歉在格式和东西方面有任何奇怪之处,我有一段时间没有使用 Java,但这应该能让你继续前进。

请注意,如果这是您第一次使用开关,请记住您始终必须有一个默认值。这通常是某种“无效输入”消息,就像您在 javadocs 中的该示例中看到的那样。

于 2012-11-05T18:43:15.040 回答