Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

bugfix: Create rt.jar when compiling for JDK 8 #2422

Merged
merged 2 commits into from
Sep 9, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
73 changes: 73 additions & 0 deletions backend/src/main/java/bloop/rtexport/Copy.java
Original file line number Diff line number Diff line change
@@ -0,0 +1,73 @@
/*
Copyright (C) 2012-2014 EPFL
Copyright (C) 2012-2014 Typesafe, Inc.
All rights reserved.
Redistribution and use in source and binary forms, with or without modification,
are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice,
this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.
* Neither the name of the EPFL nor the names of its contributors
may be used to endorse or promote products derived from this software
without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
package bloop.rtexport;

import java.io.IOException;
import java.nio.file.*;
import java.nio.file.attribute.BasicFileAttributes;
import java.util.EnumSet;

import static java.nio.file.StandardCopyOption.COPY_ATTRIBUTES;
import static java.nio.file.StandardCopyOption.REPLACE_EXISTING;

class Copy {
public static void copyDirectory(final Path source, final Path target) throws IOException {
Files.walkFileTree(source, EnumSet.of(FileVisitOption.FOLLOW_LINKS), Integer.MAX_VALUE,
new FileVisitor<Path>() {

@Override
public FileVisitResult preVisitDirectory(Path dir, BasicFileAttributes sourceBasic)
throws IOException {

String relative = source.relativize(dir).toString();
if (!Files.exists(target.getFileSystem().getPath(relative)))
Files.createDirectory(target.getFileSystem().getPath(relative));
return FileVisitResult.CONTINUE;
}

@Override
public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
String relative = source.relativize(file).toString();
Files.copy(file, target.getFileSystem().getPath(relative), COPY_ATTRIBUTES, REPLACE_EXISTING);
return FileVisitResult.CONTINUE;
}

@Override
public FileVisitResult visitFileFailed(Path file, IOException e) throws IOException {
throw e;
}

@Override
public FileVisitResult postVisitDirectory(Path dir, IOException e) throws IOException {
if (e != null)
throw e;
return FileVisitResult.CONTINUE;
}
});
}

}
103 changes: 103 additions & 0 deletions backend/src/main/java/bloop/rtexport/Export0.java
Original file line number Diff line number Diff line change
@@ -0,0 +1,103 @@
/*
Copyright (C) 2012-2014 EPFL
Copyright (C) 2012-2014 Typesafe, Inc.
All rights reserved.
Redistribution and use in source and binary forms, with or without modification,
are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice,
this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.
* Neither the name of the EPFL nor the names of its contributors
may be used to endorse or promote products derived from this software
without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
package bloop.rtexport;

import java.io.File;
import java.io.IOException;
import java.net.URI;
import java.nio.file.FileSystem;
import java.nio.file.FileSystems;
import java.nio.file.Files;
import java.nio.file.Path;
import java.util.HashMap;
import java.util.Iterator;
import java.util.Map;

class Export0 {
private final static Object lock = new Object();
private static File tempFile = null;

public static String rtJarName = "rt-" + System.getProperty("java.version") + ".jar";

public static File rt() {
try {
synchronized (lock) {
if (tempFile == null) {
Path tempPath = Files.createTempFile("rt", ".jar");
tempFile = tempPath.toFile();
tempFile.deleteOnExit();
tempFile.delete();
FileSystem fileSystem = FileSystems.getFileSystem(URI.create("jrt:/"));
Path path = fileSystem.getPath("/modules");
URI uri = URI.create("jar:" + tempPath.toUri());
Map<String, String> env = new HashMap<>();
env.put("create", "true");
try (FileSystem zipfs = FileSystems.newFileSystem(uri, env)) {
Iterator<Path> iterator = Files.list(path).iterator();
while (iterator.hasNext()) {
Path next = iterator.next();
Copy.copyDirectory(next, zipfs.getPath("/"));
}
}
}
}
} catch (IOException e) {
e.printStackTrace();
System.exit(-1);
}
return tempFile;
}

public static boolean rtTo(File dest, boolean verbose) {
try {
if (!dest.exists()) {
if (verbose) {
System.out.println("Copying Java " + System.getProperty("java.version") + " runtime jar to "
+ dest.getParentFile() + " ...");
System.out.flush();
}
dest.getParentFile().mkdirs();
Files.copy(rt().toPath(), dest.toPath());
return true;
}
} catch (IOException e) {
e.printStackTrace();
System.exit(-1);
}
return false;
}

public static File rtAt(File dir, boolean verbose) {
File f = new File(dir, rtJarName);
rtTo(f, verbose);
return f;
}

public static File rtAt(File dir) {
return rtAt(dir, false);
}
}
12 changes: 10 additions & 2 deletions backend/src/main/scala/bloop/Compiler.scala
Original file line number Diff line number Diff line change
Expand Up @@ -44,6 +44,7 @@ import xsbti.compile._
import bloop.Compiler.Result.Failed
import bloop.util.BestEffortUtils
import bloop.util.BestEffortUtils.BestEffortProducts
import bloop.rtexport.RtJarCache

case class CompileInputs(
scalaInstance: ScalaInstance,
Expand Down Expand Up @@ -843,7 +844,6 @@ object Compiler {
): CompileOptions = {
// Sources are all files
val sources = inputs.sources.map(path => converter.toVirtualFile(path.underlying))
val classpath = inputs.classpath.map(path => converter.toVirtualFile(path.underlying))

val scalacOptions = adjustScalacReleaseOptions(
scalacOptions = inputs.scalacOptions,
Expand All @@ -858,11 +858,19 @@ object Compiler {
if (areFatalWarningsEnabled)
inputs.reporter.enableFatalWarnings()

val needsRtJar = scalacOptions.sliding(2).exists {
case Array("-release", "8") => true
case _ => false
}
val updatedClasspath =
if (needsRtJar) inputs.classpath ++ RtJarCache.create(JavaRuntime.version, logger)
else inputs.classpath
val classpathVirtual = updatedClasspath.map(path => converter.toVirtualFile(path.underlying))
CompileOptions
.create()
.withClassesDirectory(newClassesDir)
.withSources(sources)
.withClasspath(classpath)
.withClasspath(classpathVirtual)
.withScalacOptions(optionsWithoutFatalWarnings)
.withJavacOptions(inputs.javacOptions)
.withOrder(inputs.compileOrder)
Expand Down
7 changes: 7 additions & 0 deletions backend/src/main/scala/bloop/rtexport/Export.scala
Original file line number Diff line number Diff line change
@@ -0,0 +1,7 @@
package bloop.rtexport

object Export {
def rtJarName = Export0.rtJarName
def rt() = Export0.rt
def rtTo(file: java.io.File, bool: Boolean): Boolean = Export0.rtTo(file, bool)
}
45 changes: 45 additions & 0 deletions backend/src/main/scala/bloop/rtexport/RtJarCache.scala
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
package bloop.rtexport

import scala.util.Failure
import scala.util.Success
import scala.util.Try

import bloop.SemanticDBCacheLock
import bloop.io.Paths
import bloop.logging.Logger

import sbt.internal.inc.BloopComponentCompiler
import sbt.internal.inc.BloopComponentManager
import sbt.internal.inc.IfMissing
import bloop.io.AbsolutePath

object RtJarCache {

def create(
bloopJavaVersion: String,
logger: Logger
): Option[AbsolutePath] = {

val provider =
BloopComponentCompiler.getComponentProvider(Paths.getCacheDirectory("rtjar"))
val manager =
new BloopComponentManager(SemanticDBCacheLock, provider, secondaryCacheDir = None)

Try(manager.file(bloopJavaVersion)(IfMissing.Fail)) match {
case Success(rtPath) => Some(AbsolutePath(rtPath))
case Failure(_) =>
manager.define(bloopJavaVersion, Seq(Export.rt()))
Try(manager.file(bloopJavaVersion)(IfMissing.Fail)) match {
case Failure(exception) =>
logger.error(
"Could not create rt.jar needed for correct compilation for JDK 8.",
exception
)
None
case Success(value) =>
Some(AbsolutePath(value))
}
}
}

}
19 changes: 19 additions & 0 deletions frontend/src/test/scala/bloop/BaseCompileSpec.scala
Original file line number Diff line number Diff line change
Expand Up @@ -1930,4 +1930,23 @@ abstract class BaseCompileSpec extends bloop.testing.BaseSuite {

}
}

test("unsafe") {
TestUtil.withinWorkspace { workspace =>
val sources = List(
"""/main/scala/Foo.scala
|import sun.misc.Unsafe
|class Foo
""".stripMargin
)

val logger = new RecordingLogger(ansiCodesSupported = false)
val `A` = TestProject(workspace, "a", sources, scalacOptions = List("-release", "8"))
val projects = List(`A`)
val state = loadState(workspace, projects, logger)
val compiledState = state.compile(`A`)
assertExitStatus(compiledState, ExitStatus.Ok)
assertValidCompilationState(compiledState, projects)
}
}
}
Loading