Что нового в Java 10

Java задняя часть JVM переводчик

Серия функций языка Java

последовательность

В этой статье в основном описываются новые функции Java 10.

Список функций

Связанные интерпретации:Серия java10 (два) Вывод типа локальной переменной

Связанные интерпретации:Java10 уже здесь, давайте взглянем на новый JIT-компилятор, выпущенный вместе с ним.

Связанные интерпретации:OpenJDK 10 Now Includes Root CA Certificates

Связанные интерпретации:java10 series (1) Версии выпуска на основе времени

Подробная интерпретация

Выше перечислены основные функции, в дополнение к некоторым обновлениям и отказам API, в основном см.What's New in JDK 10 - New Features and Enhancements, Вот несколько примеров.

Optional.orElseThrow()

/Library/Java/JavaVirtualMachines/jdk-10.jdk/Contents/Home/lib/src.zip!/java.base/java/util/Optional.java

  • исходный код
    /**
     * If a value is present, returns the value, otherwise throws
     * {@code NoSuchElementException}.
     *
     * @return the non-{@code null} value described by this {@code Optional}
     * @throws NoSuchElementException if no value is present
     * @since 10
     */
    public T orElseThrow() {
        if (value == null) {
            throw new NoSuchElementException("No value present");
        }
        return value;
    }
  • пример
    @Test
    public void testOrElseThrow(){
        var data = List.of("a","b","c");
        Optional<String> optional = data.stream()
                .filter(s -> s.startsWith("z"))
                .findAny();
        String res = optional.orElseThrow();
        System.out.println(res);
    }

Добавлен orElseThrow, соответствующий получению

выход

java.util.NoSuchElementException: No value present

	at java.base/java.util.Optional.orElseThrow(Optional.java:371)
	at com.example.FeatureTest.testOrElseThrow(FeatureTest.java:19)
	at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
	at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
	at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
	at java.base/java.lang.reflect.Method.invoke(Method.java:564)
	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)
	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)
	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:47)
	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)
	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)
	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)
	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)
	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)
	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)
	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)
	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)
	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)
	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)
	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)
	at com.intellij.junit4.JUnit4IdeaTestRunner.startRunnerWithArgs(JUnit4IdeaTestRunner.java:68)
	at com.intellij.rt.execution.junit.IdeaTestRunner$Repeater.startRunnerWithArgs(IdeaTestRunner.java:47)
	at com.intellij.rt.execution.junit.JUnitStarter.prepareStreamsAndStart(JUnitStarter.java:242)
	at com.intellij.rt.execution.junit.JUnitStarter.main(JUnitStarter.java:70)

APIs for Creating Unmodifiable Collections

Параметры интерфейса метода new of factory в java9 являются элементами, а в java10 добавлены List.copyOf, Set.copyOf и Map.copyOf для создания ImmutableCollections из существующих коллекций.

  • Исходный код List.copyOf
    /**
     * Returns an <a href="#unmodifiable">unmodifiable List</a> containing the elements of
     * the given Collection, in its iteration order. The given Collection must not be null,
     * and it must not contain any null elements. If the given Collection is subsequently
     * modified, the returned List will not reflect such modifications.
     *
     * @implNote
     * If the given Collection is an <a href="#unmodifiable">unmodifiable List</a>,
     * calling copyOf will generally not create a copy.
     *
     * @param <E> the {@code List}'s element type
     * @param coll a {@code Collection} from which elements are drawn, must be non-null
     * @return a {@code List} containing the elements of the given {@code Collection}
     * @throws NullPointerException if coll is null, or if it contains any nulls
     * @since 10
     */
    @SuppressWarnings("unchecked")
    static <E> List<E> copyOf(Collection<? extends E> coll) {
        if (coll instanceof ImmutableCollections.AbstractImmutableList) {
            return (List<E>)coll;
        } else {
            return (List<E>)List.of(coll.toArray());
        }
    }
  • пример
    @Test(expected = UnsupportedOperationException.class)
    public void testCollectionCopyOf(){
        List<String> list = IntStream.rangeClosed(1,10)
                .mapToObj(i -> "num"+i)
                .collect(Collectors.toList());
        List<String> newList = List.copyOf(list);
        newList.add("not allowed");
    }

Коллекторы добавляют методы toUnmodifiedList, toUnmodifiedSet и toUnmodifiableMap.

    @Test(expected = UnsupportedOperationException.class)
    public void testCollectionCopyOf(){
        List<String> list = IntStream.rangeClosed(1,10)
                .mapToObj(i -> "num"+i)
                .collect(Collectors.toUnmodifiableList());
        list.add("not allowed");
    }

резюме

Самая важная новая функция java10 относится к выводу типа локальной переменной на грамматическом уровне и на уровне jvm.307: Parallel Full GC for G1так же как317: Experimental Java-Based JIT CompilerОба относительно тяжелые и заслуживают углубленного изучения.

doc