2

这是我到目前为止所做的程序。我应该要求收银员输入价格,如果是宠物,则输入 y 或 n。如果有 5 个或更多项目,则应该有一种方法来计算折扣。除了折扣方法的返回数据之外,我拥有的程序正在运行。

错误是68:error; cannot return a value from method whose result type is void.

我很困惑为什么数据无效。如果我取出return discount;语句,那么程序编译没有错误。

import javax.swing.JOptionPane;

public class Assignment4
{
    public static void main (String[] args) 
    {
        double[] prices = new double[1000];
        boolean[] isPet = new boolean[1000];
        double enterPrice = 0;
        int i = 0;
        String yesPet = "Y";
        int nItems = 0;
        do
        {
            String input = JOptionPane.showInputDialog("Enter the price for the item: ");
            enterPrice = Integer.parseInt (input);

            prices[i] = enterPrice;

            String petOrNo = JOptionPane.showInputDialog("Is this item a pet? Enter Y for pet and N for not pet.");

            if (petOrNo.equalsIgnoreCase(yesPet))
            {
                isPet[i] = true;
            }
            else
            {
                isPet[i] = false;
            }
            i = i+1;
            nItems = nItems + 1;
        } while (enterPrice != -1);
        //System.out.println(nItems);
    }

    public static void discount(double[] prices, boolean[] isPet, int nItems)
    {
        boolean found = false;
        double[] discount = new double[nItems];

        if (nItems > 6)
        {
            for (int i = 0; i < nItems; i++)
            {
                if (isPet[i] = true)
                {
                    found = true;
                    break;
                }
            }

            if (found = true)
            {
                for (int x = 0; x < nItems; x++)
                {
                    if (isPet[x] = false)
                    {
                        int n = 0;
                        prices[x] = discount[n];
                        n = n + 1;
                    }
                }
            }
        }
        return discount;
    }
}
4

3 回答 3

2

discount方法需要返回一个double数组。改变

public static void discount(double[] prices, boolean[] isPet, int nItems) {

public static double[] discount(double[] prices, boolean[] isPet, int nItems) {

discount没有为数组中的任何条目分配值,因此每个值都是0.0.

于 2012-11-04T01:10:44.420 回答
1
public static void discount(double[] prices, boolean[] isPet, int nItems)

应替换为:

public static double[] discount(double[] prices, boolean[] isPet, int nItems)

顺便说一句,discount永远不会被填充,它将返回一个空数组。

于 2012-11-04T01:13:59.070 回答
0

方法签名是您和 Java 之间的编译时承诺——您承诺返回您指定的类型。void在方法签名中意味着你不会返回任何东西,但你会返回一些东西。这是违反承诺的,因此是错误的。

您必须将方法签名更改为仅返回double[]以履行对编译器的承诺。

这也是discount从未实际填充的情况......赋值是从右到左关联的。因此,该语句prices[x] = discount[n]可能不会按照您的预期执行。

于 2012-11-04T01:19:21.220 回答