выполнять вычисления с входящими аргументами в качестве входной строки для моего калькулятора - PullRequest
0 голосов
/ 20 сентября 2018

Если я запускаю свой калькулятор, я хочу, чтобы он начал автоматически рассчитываться с заданными аргументами, например, 4 + 4-2.Когда аргументов нет, он просто просит пользователя ввести цифры (сканер).Вот мой код. Так что аргументы должны быть назначены моей inputString, если есть аргументы nog, сканер попросит пользователя сделать что-нибудь.

Основной

package com.haynespro.calculator;

import java.util.Scanner;

public class CharAtExample {

public static void main(String[] args) {

    for (String arg : args) {

        System.out.println(arg);


    }

    // inputString with scanner

    String inputString = "0";

    inputString = inputString.replace(",", "");

    Scanner userInput = new Scanner(System.in);

    System.out.print("please insert your calculations: ");

    inputString = userInput.next();

    userInput.close();

    Calculator calculator = new Calculator();

    calculator.startCalculator(inputString);

  }// end of main
}// end of class

калькулятор

package com.haynespro.calculator;

import java.util.ArrayList;

public class Calculator {

 public void startCalculator(String inputString) {

    // Assign ArrayList of Strings "res" to splitExpression

    ArrayList<String> res = splitExpression(inputString);

    // Create an ObjectList that holds res

    ArrayList<Object> objectList = new ArrayList<Object>(res);

    System.out.print("\nLet my algorithm take care of it: \n\n");

    // Loop through the objectList and convert strings to doubles

    for (int i = 0; i < objectList.size(); i++) {
        try {
            objectList.set(i, Double.parseDouble((String) 
  objectList.get(i)));
        } catch (NumberFormatException nfe) {

        }
    }

    // Create a variable maxi to substract 2 from the objectList index

    int maxi = objectList.size();

    maxi = maxi - 2;

    // Create variable lastSum out of the incoming for-loop's scope.

    double lastSum = 0;

    // Loop through the objectList with an algorhitm and perform 
    calculations with
    // invoking the sum method

    for (int i = 0; i < maxi; i += 2) {
        String operator = (String) objectList.get(i + 1);
        double a = (Double) objectList.get(i);
        double b = (Double) objectList.get(i + 2);
        double sum;

        if (i == 0) {
            sum = sum(a, b, operator);
        } else {
            sum = sum(lastSum, b, operator);
        }
        lastSum = sum;
        System.out.println(lastSum);
    }

}

// Method that matches the string input with operators to perform 
calculations.

public static double sum(Double a, Double b, String operator) {

    if (operator.equals("+")) {
        return a + b;
    }
    if (operator.equals("-")) {
        return a - b;
    }
    if (operator.equals("*")) {
        return a * b;
    }
    if (operator.equals("/")) {
        return a / b;
    }
    return 0;
}

// ArrayList splitExpression that casts to inputString

private static ArrayList<String> splitExpression(String inputString) {

    // ArrayList result to return the result

    ArrayList<String> result = new ArrayList<String>();

    // Uses the toCharArray method to insert the string reference per 
  character into
    // an array

    char[] destArray = inputString.toCharArray();

    // Empty String created

    String token = "";

    // Iterate through the "Items" in the Array

    for (int i = 0; i < destArray.length; i++) {

        // Nice all those references but we need an Object that actually 
 holds the array

        char c = destArray[i];

        // If not a number then add to token, else assign the value of c to 
 token

        if (isBreakCharacter(c)) {
            result.add(token);
            result.add(Character.toString(c));
            token = "";
        } else
            token = token + c;

    }

    result.add(token);
    return result;
}

// a method that breaks characters which are not numbers.The object "c" also
// needs to hold this method.

public static boolean isBreakCharacter(char c) {
    return c == '+' || c == '*' || c == '-' || c == '/';
}

}

Ответы [ 2 ]

0 голосов
/ 20 сентября 2018

измените свою основную часть с помощью аргументов (также некоторый рефакторинг в основном классе):

public static void main(String[] args) {
    String input=null;
    if(args.length>0){
        input=args[0];
        System.out.println(input);
    }else{
        input=askForInput();
    }

    Calculator calculator = new Calculator();

    calculator.startCalculator(input);

}// end of main

private static String askForInput() {
    // inputString with scanner
    Scanner userInput = new Scanner(System.in);
    System.out.print("please insert your calculations: ");
    String inputString;
    try {
        inputString = userInput.next();
    } finally {
        userInput.close();
    }
    return inputString;
}
0 голосов
/ 20 сентября 2018

Вы не проверяете args.length, чтобы выяснить, сколько параметров было передано.

Я дам вам упрощенную версию, поскольку я понятия не имею, как вы должнычтение / анализ аргументов.

String input;

if (args.length < 1) {
    // you need a Scanner to read an input for the calculator
    input = new Scanner(System.in).nextLine();
} else {
    // you've got args to parse
    input = String.join("", args);
}

new Calculator().startCalculator(input);
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...