我确定JavaArrayList.add
与JavaScript类似Array.push
我坚持寻找ArrayList
类似于以下内容的功能
Array.pop
Array.shift
Array.unshift
我倾向于ArrayList.remove[At]
Answers:
ArrayList
在命名标准方面是独一无二的。这是等效项:
Array.push -> ArrayList.add(Object o); // Append the list
Array.pop -> ArrayList.remove(int index); // Remove list[index]
Array.shift -> ArrayList.remove(0); // Remove first element
Array.unshift -> ArrayList.add(int index, Object o); // Prepend the list
请注意,unshift
这不会删除元素,而是将一个元素添加到列表中。还请注意,Java和JS之间的极端情况行为可能会有所不同,因为它们各自都有自己的标准。
.push
呢
Array.push -> ArrayList.add
,具体问了一下pop
,shift
和unshift
。再次阅读此内容,我将添加更多说明并同时添加.push
。
前段时间java.util.LinkedList
我遇到了这个问题,发现最适合我的情况。它有几种方法,具有不同的名称,但是它们正在执行所需的操作:
push() -> LinkedList.addLast(); // Or just LinkedList.add();
pop() -> LinkedList.pollLast();
shift() -> LinkedList.pollFirst();
unshift() -> LinkedList.addFirst();
LinkeList
上添加了效率很低的方法,这让我感到困惑。此方法来自它实现的和接口,但不是。ArrayList
List
Deque
Queue
ArrayList
也许您想上一java.util.Stack
堂课。它具有推,弹出方法。并实现了List接口。
对于换档/不换档,您可以参考@Jon的答案。
但是,您可能要关心ArrayList的某些问题,arrayList不同步。但是堆栈是。(Vector的子类)。如果您有线程安全要求,Stack可能比ArrayList更好。
乔恩很好的回答。
虽然我很懒,而且我讨厌打字,所以我为所有其他像我一样的人创建了一个简单的剪切和粘贴示例。请享用!
import java.util.ArrayList;
import java.util.List;
public class Main {
public static void main(String[] args) {
List<String> animals = new ArrayList<>();
animals.add("Lion");
animals.add("Tiger");
animals.add("Cat");
animals.add("Dog");
System.out.println(animals); // [Lion, Tiger, Cat, Dog]
// add() -> push(): Add items to the end of an array
animals.add("Elephant");
System.out.println(animals); // [Lion, Tiger, Cat, Dog, Elephant]
// remove() -> pop(): Remove an item from the end of an array
animals.remove(animals.size() - 1);
System.out.println(animals); // [Lion, Tiger, Cat, Dog]
// add(0,"xyz") -> unshift(): Add items to the beginning of an array
animals.add(0, "Penguin");
System.out.println(animals); // [Penguin, Lion, Tiger, Cat, Dog]
// remove(0) -> shift(): Remove an item from the beginning of an array
animals.remove(0);
System.out.println(animals); // [Lion, Tiger, Cat, Dog]
}
}
Underscore-java库包含方法push(values),pop(),shift()和unshift(values)。
代码示例:
import com.github.underscore.U:
List<String> strings = Arrays.asList("one", "two", " three");
List<String> newStrings = U.push(strings, "four", "five");
// ["one", " two", "three", " four", "five"]
String newPopString = U.pop(strings).fst();
// " three"
String newShiftString = U.shift(strings).fst();
// "one"
List<String> newUnshiftStrings = U.unshift(strings, "four", "five");
// ["four", " five", "one", " two", "three"]