Java中有类似Enumerable.Range(x,y)的东西吗?

2022-09-03 13:07:44

有没有类似C#/的东西。网

IEnumerable<int> range = Enumerable.Range(0, 100); //.NET

在爪哇?


答案 1

编辑:作为Java 8,这是可能的java.util.stream.IntStream.range(int startInclusive, int endExclusive)

在 Java8 之前:

Java中没有这样的东西,但你可以有这样的东西:

import java.util.Iterator;

public class Range implements Iterable<Integer> {
    private int min;
    private int count;

    public Range(int min, int count) {
        this.min = min;
        this.count = count;
    }

    public Iterator<Integer> iterator() {
        return new Iterator<Integer>() {
            private int cur = min;
            private int count = Range.this.count;
            public boolean hasNext() {
                return count != 0;
            }

            public Integer next() {
                count--;
                return cur++; // first return the cur, then increase it.
            }

            public void remove() {
                throw new UnsupportedOperationException();
            }
        };
    }
}

例如,您可以通过以下方式使用范围:

public class TestRange {

    public static void main(String[] args) {
        for (int i : new Range(1, 10)) {
            System.out.println(i);
        }
    }

}

另外,如果你不喜欢直接使用,你可以使用工厂类:new Range(1, 10)

public final class RangeFactory {
    public static Iterable<Integer> range(int a, int b) {
        return new Range(a, b);
    }
}

这是我们的工厂测试:

public class TestRangeFactory {

    public static void main(String[] args) {
        for (int i : RangeFactory.range(1, 10)) {
            System.out.println(i);
        }
    }

}

我希望这些将是有用的:)


答案 2

在Java中没有内置的支持,但是自己构建它非常容易。总的来说,Java API提供了这种功能所需的所有位,但不会将它们组合在一起。

Java采用的方法有无数种方法可以组合事物,因此为什么要将几种组合特权于其他组合。有了正确的构建块集,其他一切都可以很容易地构建(这也是Unix的哲学)。

其他语言的API(例如C#和Python)采取了更谨慎的观点,他们确实选择了一些东西来变得非常容易,但仍然允许更深奥的组合。

Java 方法问题的典型示例可以在 Java IO 库中看到。创建用于输出的文本文件的规范方法是:

BufferedWriter out = new BufferedWriter(new FileWriter("out.txt"));

Java IO库使用装饰器模式,这是一个非常好的灵活性,但肯定你需要一个缓冲文件吗?将其与Python中的等效项进行比较,这使得典型的用例非常简单:

out = file("out.txt","w")

推荐