web-dev-qa-db-ja.com

MavenでJDK12プレビュー機能をコンパイルする

JDK/12 EarlyAccess Build 1 により、JEP-325 Switch Expressionsはプレビュー機能としてJDKに統合されました。式のサンプルコード(JEPも同様):

Scanner scanner = new Scanner(System.in);
Day day = Day.valueOf(scanner.next());
switch (day) {
    case MONDAY, TUESDAY -> System.out.println("Back to work.") ;
    case WEDNESDAY -> System.out.println("Wait for the end of week...") ;
    case THURSDAY,FRIDAY -> System.out.println("Plan for the weekend?");
    case SATURDAY, SUNDAY -> System.out.println("Enjoy the holiday!");
}

ここで、Dayは次の列挙型です。

public enum Day {
    MONDAY, TUESDAY, WEDNESDAY, THURSDAY, FRIDAY, SATURDAY, SUNDAY
}

言語のプレビューとVM機能JEP-12 は、javacJavaを使用して、コンパイル時および実行時に機能を有効にする方法をすでに詳しく説明しています。

Mavenを使用してこの機能を試すにはどうすればよいですか?

22
Naman

ステップ1:次のMaven構成を使用して、--enable-previewとともに--release 12引数を使用してコードをコンパイルできます。

<build>
    <plugins>
        <plugin>
            <groupId>org.Apache.maven.plugins</groupId>
            <artifactId>maven-compiler-plugin</artifactId>
            <version>3.8.0</version>
            <configuration>
                <release>12</release>
                <compilerArgs>--enable-preview</compilerArgs>
            </configuration>
        </plugin>
        <!-- This is just to make sure the class is set as main class to execute from the jar-->
        <plugin>
            <groupId>org.Apache.maven.plugins</groupId>
            <artifactId>maven-shade-plugin</artifactId>
            <version>3.1.0</version>
            <executions>
                <execution>
                    <phase>package</phase>
                    <goals>
                        <goal>shade</goal>
                    </goals>
                    <configuration>
                        <transformers>
                            <transformer
                                    implementation="org.Apache.maven.plugins.shade.resource.ServicesResourceTransformer"/>
                            <transformer
                                    implementation="org.Apache.maven.plugins.shade.resource.ManifestResourceTransformer">
                                <mainClass>com.stackoverflow.nullpointer.expression.SwitchExpressions</mainClass>
                            </transformer>
                        </transformers>
                    </configuration>
                </execution>
            </executions>
        </plugin>
    </plugins>
</build>

:-MacOSで~/.mavenrcファイルがJava 12をMaven用に構成されたデフォルトのJavaとしてマークするように構成されています。

ステップ2:mavenコマンドを実行して、モジュールクラスからjarをビルドします

mvn clean verify 

ステップ3:コマンドラインを使用して、前のステップで作成したjarのメインクラスを次のように実行します。

Java --enable-preview -jar target/jdk12-updates-1.0.0-SNAPSHOT.jar #the last argument being the path to my jar

これにより、期待どおりの出力が生成されます。

enter image description here

GitHubのソース

25
Naman