Logo

Programming-Idioms

  • Java
  • PHP
  • Python

Idiom #134 Create a new list

Declare and initialize a new list items, containing 3 elements a, b, c.

items = [a, b, c]
items = list((a, b, c))
import java.util.List;
import java.util.Arrays;
List<T> items = Arrays.asList(a, b, c);

T is the type of a, b, c.
import static java.util.List.of;
import java.util.ArrayList;
import java.util.List;
List<T> items = new ArrayList<>(of(a, b, c));

Mutable
import java.util.List;
var items = List.of(a, b, c);

Since Java 9
import java.util.List;
import java.util.ArrayList;
List<T> items = new ArrayList<>();
items.add(a);
items.add(b);
items.add(c);

T is the type of a, b, c.
$items = [$a, $b, $c];

$items will have $a, $b and $c in this order.
(def items (list a b c))

New implementation...