29

因此,当我在 a 中执行块代码try{}并尝试获取return值时,它会告诉我

没有返回值

import org.w3c.dom.ranges.RangeException;


public class Pg257E5 
{
public static void main(String[]args)
{
    try
    {
        System.out.println(add(args));
    }
    catch(RangeException e)
    {
        e.printStackTrace();
    }
    finally
    {
        System.out.println("Thanks for using the program kiddo!");
    }
}
public static double add(String[] values)
// shows a commpile error here that I don't have a return value
{
    try
    {
        int length = values.length;
        double arrayValues[] = new double[length];
        double sum = 0;
        for(int i = 0; i<length; i++)
        {
            arrayValues[i] = Double.parseDouble(values[i]);
            sum += arrayValues[i];
        }
        return sum; // I do have a return value here.
        // Is it because if the an exception occurs the codes in try stops and doesn't get to the return value?
    }
    catch(NumberFormatException e)
    {
        e.printStackTrace();
    }
    catch(RangeException e)
    {
        throw e;
    }
    finally
    {
        System.out.println("Thank you for using the program!");
        //so would I need to put a return value of type double here?
    }

}
}

try我的问题是,使用and时如何返回值catch

4

4 回答 4

37

要在使用时返回一个值,try/catch您可以使用一个临时变量,例如

public static double add(String[] values) {
    double sum = 0.0;
    try {
        int length = values.length;
        double arrayValues[] = new double[length];
        for(int i = 0; i < length; i++) {
            arrayValues[i] = Double.parseDouble(values[i]);
            sum += arrayValues[i];
        }
    } catch(NumberFormatException e) {
        e.printStackTrace();
    } catch(RangeException e) {
        throw e;
    } finally {
        System.out.println("Thank you for using the program!");
    }
    return sum;
}

否则,您需要在没有throw.

于 2013-07-01T13:36:07.590 回答
3

这是因为你在一个try声明中。由于可能有错误, sum可能不会被初始化,所以将你的 return 语句放在finally块中,这样它肯定会被返回。

确保在之外初始化 sum try/catch/finally,使其在范围内。

于 2013-07-01T13:38:14.353 回答
3

这是另一个使用 try/catch 返回布尔值的示例。

private boolean doSomeThing(int index){
    try {
        if(index%2==0) 
            return true; 
    } catch (Exception e) {
        System.out.println(e.getMessage()); 
    }finally {
        System.out.println("Finally!!! ;) ");
    }
    return false; 
}
于 2015-10-02T17:48:06.253 回答
2

问题是当你被NumberFormatexception抛出时会发生什么?您打印它并没有返回任何内容。

注意:您不需要捕获并抛出异常。例如,通常会包装它或打印堆栈跟踪并忽略。

catch(RangeException e) {
     throw e;
}
于 2013-07-01T13:34:33.557 回答