这个 Python 列表在 Java 中的等效项是什么样的?

What does the equivalence to this Python list look like in Java?

我正在尝试学习 Java,更具体地说,我正在尝试学习使用数组和列表时的一些差异。现在我正在尝试了解如何在 Java 中实现这一行 list += [i]*i

Sum = 5000
list = [0, 0]
x = 1
while len(list) < Sum:
    list += [x]*x
    x += 1

我尝试了很多不同的方法,但我似乎找不到办法。我用我试过的方法在Java中得到的结果都是错误的。

结合使用 for 循环、add 方法和 ArrayList 数据结构。它可能看起来像下面这样。

List<Integer> nums = new ArrayList<>();
int x = 1;
while (condition){
  for (int i=0; i<x; i++) {
    nums.add(x);
  }
  x+=1
}

直接翻译(使用有用的实用函数 java.util.Collections.nCopies)它变成了这样的东西:

import java.util.*;

int Sum = 5000;  //Following the naming convention in Java (and Python) "Sum" should be lowercase

ArrayList<Integer> list = new ArrayList<Integer>();
//Alternatively: List<Integer> list = new ArrayList<Integer>();

list.add(0);
list.add(0);

int x = 1;
while (list.size() < Sum) {
    list.addAll(Collections.nCopies(x, x));
    x += 1;
}