以下代码要求用户输入他消费的物品的描述,价格和数量。
有一个while循环询问他是否想要输入更多物品!如果他这样做,程序会要求插入其他项目的其他描述,价格和数量,等等。
如果他不想输入更多项目,则输出是他添加到阵列中的所有项目,以及账单总额。
问题是:第一次运行时,它可以工作,但是第二次如果用户回答“y”,它会返回一个错误,好像他从描述权限跳到了第二个项目的价格。如果用户键入描述,则会出现输入不匹配异常。
主类:
package com.company;
import java.util.ArrayList;
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
ArrayList<Gastos> billArr = new ArrayList<>();
Scanner input = new Scanner(System.in);
int qntItems = 0 , counter = 0;
String ans;
Gastos bill = new Gastos();
while (qntItems == 0) {
System.out.print("Want to input another item? Y/N: ");
ans = input.nextLine();
switch (ans){
case "y":
qntItems = 0;
bill.setDescription();
bill.setPrice();
bill.setQuantity();
bill.getTotal();
billArr.add(bill);
counter = counter + 1;
break;
case "n": qntItems = 1;
break;
default: System.out.print("Invalid!");
System.out.println();
break;
}
input.close();
}
for (int i = 0; i < billArr.size();i++){
System.out.print(bill.getDescription() + ", " + bill.getPrice() + ", " + bill.getQuantity() + ", " + "the total is: " + bill.getTotal());
}
}
}
和加斯托斯班:
package com.company;
import java.util.Scanner;
public class Gastos {
private String description;
private double price, quantity, total;
private Scanner input = new Scanner(System.in);
public void setDescription(){
System.out.print("Insert the item name: ");
description = input.nextLine();
}
public void setPrice(){
System.out.print("insert the item price: ");
price = input.nextDouble();
}
public void setQuantity(){
System.out.print("Insert the quantity: ");
quantity = input.nextDouble();
}
public String getDescription(){
return description;
}
public double getPrice() {
return price;
}
public double getQuantity() {
return quantity;
}
public double getTotal(){
total = price * quantity;
return total;
}
}
如何处理此错误?
答案 0 :(得分:3)
你的第二个循环中有一个错误。
它应该是:
System.out.print(billArr.get(i).getDescription().....
或者简单地说:
for(Gastos b : billArr){
System.out.print(b.getDescription())
}
更新1:另一个错误是您在第一个循环结束时关闭Scanner
。将input.close();
移到循环外或case "n"
内。
更新2:您还有其他问题,每次输入新的详细信息时都需要重新初始化Gastos
。因此,您需要在Gastos bill = new Gastos();
之后立即执行case "y":
,并在while循环之前将其从初始化位置移除。你的主要应该是这样的:
public static void main(String[] args) {
ArrayList<Gastos> billArr = new ArrayList<>();
Scanner input = new Scanner(System.in);
int qntItems = 0 , counter = 0;
String ans;
while (qntItems == 0) {
System.out.print("Want to input another item? Y/N: ");
ans = input.nextLine();
switch (ans){
case "y":
Gastos bill = new Gastos();
qntItems = 0;
bill.setDescription();
bill.setPrice();
bill.setQuantity();
bill.getTotal();
billArr.add(bill);
counter = counter + 1;
break;
case "n": qntItems = 1;
input.close();
break;
default: System.out.print("Invalid!");
System.out.println();
break;
}
}
for (Gastos bill : billArr){
System.out.print(bill.getDescription() + ", " + bill.getPrice() + ", " + bill.getQuantity() + ", " + "the total is: " + bill.getTotal());
}
}
我认为你需要花一些时间来调试和理解java的对象是如何工作的。这些是应该很容易捕获的基本错误。