那里。
我一直在从Core Java Volume 1第9版学习Java,我对本书中的一个例子感到有点困惑(清单6.8)
为什么在“ArrayAlg”类的方法名称(minmax
)之前有“配对”?
public static Pair minmax(double[] values)
源代码如下:
package staticInnerClass;
public class StaticInnerClassTest
{
public static void main(String[] args)
{
double[] d = new double[20];
for (int i = 0; i < d.length; i++)
d[i] = 100 * Math.random();
ArrayAlg.Pair p = ArrayAlg.minmax(d);
System.out.println("min = " + p.getFirst());
System.out.println("max = " + p.getSecond());
}
}
class ArrayAlg
{
/**
* A pair of floating-point numbers
*/
public static class Pair
{
private double first;
private double second;
/**
* Constructs a pair from two floating-point numbers
* @param f the first number
* @param s the second number
*/
public Pair(double f, double s)
{
first = f;
second = s;
}
/**
* Returns the first number of the pair
* @return the first number
*/
public double getFirst()
{
return first;
}
/**
* Returns the second number of the pair
* @return the sceond number
*/
public double getSecond()
{
return second;
}
}
/**
* Computes both the minimum and the maximum of an array
* @param values an array of floating-point numbers
* @return a pair whose first element is the minimum and whose second element is the maximum
*/
public static Pair minmax(double[] values)
{
double min = Double.MAX_VALUE;
double max = Double.MIN_VALUE;
for (double v : values)
{
if (min > v)
min = v;
if (max < v)
max = v;
}
return new Pair(min, max);
}
}
答案 0 :(得分:1)
声明Pair
中的public static Pair minmax(double[] values)
是方法的返回类型。 Pair
是一个内部类的事实是无关紧要的,如果它是一个顶级类,声明看起来完全一样(假设你导入了类,当然)。
答案 1 :(得分:0)
Pair
是ArrayAlg
的静态内部类 - 有多种方式可以声明Pair
类型的变量,但最常见的是声明采用以下形式:
[outer class].[inner class] [variable name] = ...
就好像外部类只是完整路径中的另一个级别,包括包,对你感兴趣的类(类型)。
虽然可以说编译器可以从方法返回类型推断变量类型,但这不是Java的工作方式,所以你必须明确。