最近、アプリケーションを開発し、jarファイルを作成しました。
私のクラスの1つは、出力ディレクトリを作成し、そのリソースからのファイルを入れます。
私のコードは次のようなものです:
_// Copy files from dir "template" in this class resource to output.
private void createOutput(File output) throws IOException {
File template = new File(FileHelper.URL2Path(getClass().getResource("template")));
FileHelper.copyDirectory(template, output);
}
_
残念ながら、これは機能しません。
私は運なしで以下を試しました:
ストリームを使用して他のクラスの同様のものを解決しますが、dirsでは機能しません。コードは http://www.exampledepot.com/egs/Java.io/CopyFile.html に似ていました
new File(getClass().getResource("template").toUri())
を使用してファイルテンプレートを作成する
これを書いているときに、Zipファイルを含むリソースパスにテンプレートディレクトリを置く代わりに、私は考えていました。このようにすると、ファイルをinputStreamとして取得し、必要な場所に解凍できます。しかし、それが正しい方法かどうかはわかりません。
Zipファイルを使用するアプローチは理にかなっていると思います。おそらく、論理的にディレクトリツリーのように見えるZipの内部を取得するためにgetResourceAsStream
を実行します。
スケルトンアプローチ:
InputStream is = getClass().getResourceAsStream("my_embedded_file.Zip");
ZipInputStream zis = new ZipInputStream(is);
ZipEntry entry;
while ((entry = zis.getNextEntry()) != null) {
// do something with the entry - for example, extract the data
}
解決策をありがとう!その他の場合、以下は補助クラスを使用しません(StringUtilsを除く)。
/ このソリューションに追加情報を追加しました。コードの終わりを確認してください。ZegorV /
public class FileUtils {
public static boolean copyFile(final File toCopy, final File destFile) {
try {
return FileUtils.copyStream(new FileInputStream(toCopy),
new FileOutputStream(destFile));
} catch (final FileNotFoundException e) {
e.printStackTrace();
}
return false;
}
private static boolean copyFilesRecusively(final File toCopy,
final File destDir) {
assert destDir.isDirectory();
if (!toCopy.isDirectory()) {
return FileUtils.copyFile(toCopy, new File(destDir, toCopy.getName()));
} else {
final File newDestDir = new File(destDir, toCopy.getName());
if (!newDestDir.exists() && !newDestDir.mkdir()) {
return false;
}
for (final File child : toCopy.listFiles()) {
if (!FileUtils.copyFilesRecusively(child, newDestDir)) {
return false;
}
}
}
return true;
}
public static boolean copyJarResourcesRecursively(final File destDir,
final JarURLConnection jarConnection) throws IOException {
final JarFile jarFile = jarConnection.getJarFile();
for (final Enumeration<JarEntry> e = jarFile.entries(); e.hasMoreElements();) {
final JarEntry entry = e.nextElement();
if (entry.getName().startsWith(jarConnection.getEntryName())) {
final String filename = StringUtils.removeStart(entry.getName(), //
jarConnection.getEntryName());
final File f = new File(destDir, filename);
if (!entry.isDirectory()) {
final InputStream entryInputStream = jarFile.getInputStream(entry);
if(!FileUtils.copyStream(entryInputStream, f)){
return false;
}
entryInputStream.close();
} else {
if (!FileUtils.ensureDirectoryExists(f)) {
throw new IOException("Could not create directory: "
+ f.getAbsolutePath());
}
}
}
}
return true;
}
public static boolean copyResourcesRecursively( //
final URL originUrl, final File destination) {
try {
final URLConnection urlConnection = originUrl.openConnection();
if (urlConnection instanceof JarURLConnection) {
return FileUtils.copyJarResourcesRecursively(destination,
(JarURLConnection) urlConnection);
} else {
return FileUtils.copyFilesRecusively(new File(originUrl.getPath()),
destination);
}
} catch (final IOException e) {
e.printStackTrace();
}
return false;
}
private static boolean copyStream(final InputStream is, final File f) {
try {
return FileUtils.copyStream(is, new FileOutputStream(f));
} catch (final FileNotFoundException e) {
e.printStackTrace();
}
return false;
}
private static boolean copyStream(final InputStream is, final OutputStream os) {
try {
final byte[] buf = new byte[1024];
int len = 0;
while ((len = is.read(buf)) > 0) {
os.write(buf, 0, len);
}
is.close();
os.close();
return true;
} catch (final IOException e) {
e.printStackTrace();
}
return false;
}
private static boolean ensureDirectoryExists(final File f) {
return f.exists() || f.mkdir();
}
}
Apache Software Foundationの外部ライブラリを1つだけ使用しますが、使用される関数は次のとおりです。
public static String removeStart(String str, String remove) {
if (isEmpty(str) || isEmpty(remove)) {
return str;
}
if (str.startsWith(remove)){
return str.substring(remove.length());
}
return str;
}
public static boolean isEmpty(CharSequence cs) {
return cs == null || cs.length() == 0;
}
私の知識はApacheライセンスに限られていますが、ライブラリなしでコードでこのメソッドを使用できます。ただし、ライセンスの問題がある場合は、その責任は負いません。
Java7 +を使用してこれを行うには、FileSystem
を作成し、walkFileTree
を使用してファイルを再帰的にコピーします。
public void copyFromJar(String source, final Path target) throws URISyntaxException, IOException {
URI resource = getClass().getResource("").toURI();
FileSystem fileSystem = FileSystems.newFileSystem(
resource,
Collections.<String, String>emptyMap()
);
final Path jarPath = fileSystem.getPath(source);
Files.walkFileTree(jarPath, new SimpleFileVisitor<Path>() {
private Path currentTarget;
@Override
public FileVisitResult preVisitDirectory(Path dir, BasicFileAttributes attrs) throws IOException {
currentTarget = target.resolve(jarPath.relativize(dir).toString());
Files.createDirectories(currentTarget);
return FileVisitResult.CONTINUE;
}
@Override
public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
Files.copy(file, target.resolve(jarPath.relativize(file).toString()), StandardCopyOption.REPLACE_EXISTING);
return FileVisitResult.CONTINUE;
}
});
}
このメソッドは次のように使用できます。
copyFromJar("/path/to/the/template/in/jar", Paths.get("/tmp/from-jar"))
以前に投稿したZipファイル方式を使用するのが嫌だったので、次のことを思いつきました。
public void copyResourcesRecursively(URL originUrl, File destination) throws Exception {
URLConnection urlConnection = originUrl.openConnection();
if (urlConnection instanceof JarURLConnection) {
copyJarResourcesRecursively(destination, (JarURLConnection) urlConnection);
} else if (urlConnection instanceof FileURLConnection) {
FileUtils.copyFilesRecursively(new File(originUrl.getPath()), destination);
} else {
throw new Exception("URLConnection[" + urlConnection.getClass().getSimpleName() +
"] is not a recognized/implemented connection type.");
}
}
public void copyJarResourcesRecursively(File destination, JarURLConnection jarConnection ) throws IOException {
JarFile jarFile = jarConnection.getJarFile();
for (JarEntry entry : CollectionUtils.iterable(jarFile.entries())) {
if (entry.getName().startsWith(jarConnection.getEntryName())) {
String fileName = StringUtils.removeStart(entry.getName(), jarConnection.getEntryName());
if (!entry.isDirectory()) {
InputStream entryInputStream = null;
try {
entryInputStream = jarFile.getInputStream(entry);
FileUtils.copyStream(entryInputStream, new File(destination, fileName));
} finally {
FileUtils.safeClose(entryInputStream);
}
} else {
FileUtils.ensureDirectoryExists(new File(destination, fileName));
}
}
}
}
使用例(クラスパスリソース「config」から「$ {homeDirectory}/config」にすべてのファイルをコピーします:
File configHome = new File(homeDirectory, "config/");
//noinspection ResultOfMethodCallIgnored
configHome.mkdirs();
copyResourcesRecursively(super.getClass().getResource("/config"), configHome);
これは、Jarファイルだけでなく、フラットファイルからのコピーにも機能します。
注:上記のコードは、いくつかのカスタムユーティリティクラス(FileUtils、CollectionUtils)およびApache commons-lang(StringUtils)からのいくつかを使用していますが、関数にはかなり明白な名前を付ける必要があります。
Lpiepioraの答えは正しいです!しかし、マイナーな問題があります。ソースはjar URLでなければなりません。ソースパスがファイルシステムへのパスである場合、上記のコードは適切に機能しません。この問題を解決するには、コードであるReferencePathを使用する必要があります。次のリンクから取得できます。 FileSystemオブジェクトを介してファイルシステムから読み取る copyFromJarの新しいコードは次のようになります。
public class ResourcesUtils {
public static void copyFromJar(final String sourcePath, final Path target) throws URISyntaxException,
IOException {
final PathReference pathReference = PathReference.getPath(new URI(sourcePath));
final Path jarPath = pathReference.getPath();
Files.walkFileTree(jarPath, new SimpleFileVisitor<Path>() {
private Path currentTarget;
@Override
public FileVisitResult preVisitDirectory(final Path dir, final BasicFileAttributes attrs) throws IOException {
currentTarget = target.resolve(jarPath.relativize(dir)
.toString());
Files.createDirectories(currentTarget);
return FileVisitResult.CONTINUE;
}
@Override
public FileVisitResult visitFile(final Path file, final BasicFileAttributes attrs) throws IOException {
Files.copy(file, target.resolve(jarPath.relativize(file)
.toString()), StandardCopyOption.REPLACE_EXISTING);
return FileVisitResult.CONTINUE;
}
});
}
public static void main(final String[] args) throws MalformedURLException, URISyntaxException, IOException {
final String sourcePath = "jar:file:/c:/temp/example.jar!/src/main/resources";
ResourcesUtils.copyFromJar(sourcePath, Paths.get("c:/temp/resources"));
}
tess4j プロジェクトの作業バージョンは次のとおりです。
/**
* This method will copy resources from the jar file of the current thread and extract it to the destination folder.
*
* @param jarConnection
* @param destDir
* @throws IOException
*/
public void copyJarResourceToFolder(JarURLConnection jarConnection, File destDir) {
try {
JarFile jarFile = jarConnection.getJarFile();
/**
* Iterate all entries in the jar file.
*/
for (Enumeration<JarEntry> e = jarFile.entries(); e.hasMoreElements();) {
JarEntry jarEntry = e.nextElement();
String jarEntryName = jarEntry.getName();
String jarConnectionEntryName = jarConnection.getEntryName();
/**
* Extract files only if they match the path.
*/
if (jarEntryName.startsWith(jarConnectionEntryName)) {
String filename = jarEntryName.startsWith(jarConnectionEntryName) ? jarEntryName.substring(jarConnectionEntryName.length()) : jarEntryName;
File currentFile = new File(destDir, filename);
if (jarEntry.isDirectory()) {
currentFile.mkdirs();
} else {
InputStream is = jarFile.getInputStream(jarEntry);
OutputStream out = FileUtils.openOutputStream(currentFile);
IOUtils.copy(is, out);
is.close();
out.close();
}
}
}
} catch (IOException e) {
// TODO add logger
e.printStackTrace();
}
}
FileHelper
が何であるか、または何であるかはわかりませんが、JARから直接ファイル(またはディレクトリ)をコピーすることはできません。あなたが述べたようにInputStreamを使用するのは正しい方法です(jarまたはZipのどちらからでも):
InputStream is = getClass().getResourceAsStream("file_in_jar");
OutputStream os = new FileOutputStream("dest_file");
byte[] buffer = new byte[4096];
int length;
while ((length = is.read(buffer)) > 0) {
os.write(buffer, 0, length);
}
os.close();
is.close();
ファイルごとに上記のことを行う必要があります(もちろん例外を適切に処理します)。 (展開構成によっては)問題のjarファイルを JarFile として読み取ることができる場合とできない場合があります(展開されていないWebアプリの一部としてデプロイされている場合、実際のファイルとして使用できない場合があります。例えば)。読み取ることができれば、JarEntryインスタンスのリストを反復処理して、ディレクトリ構造を再構築できるはずです。それ以外の場合は、別の場所(たとえば、テキストまたはxmlリソース内)に格納する必要がある場合があります。
Commons IO ライブラリを確認することをお勧めします。これには、コピーなど、一般的に使用される多くのストリーム/ファイル機能が用意されています。
私はこの質問が古いのを知っていますが、うまくいかなかったいくつかの回答と、1つのメソッドでライブラリ全体を必要とする他の回答を試した後、クラスをまとめることにしました。サードパーティのライブラリを必要とせず、Java 8でテスト済みです。4つのパブリックメソッドがあります:copyResourcesToTempDir
、copyResourcesToDir
、copyResourceDirectory
およびjar
。
import Java.io.File;
import Java.io.IOException;
import Java.io.InputStream;
import Java.io.OutputStream;
import Java.net.URL;
import Java.nio.file.Files;
import Java.util.Enumeration;
import Java.util.Optional;
import Java.util.jar.JarEntry;
import Java.util.jar.JarFile;
/**
* A helper to copy resources from a JAR file into a directory.
*/
public final class ResourceCopy {
/**
* URI prefix for JAR files.
*/
private static final String JAR_URI_PREFIX = "jar:file:";
/**
* The default buffer size.
*/
private static final int BUFFER_SIZE = 8 * 1024;
/**
* Copies a set of resources into a temporal directory, optionally preserving
* the paths of the resources.
* @param preserve Whether the files should be placed directly in the
* directory or the source path should be kept
* @param paths The paths to the resources
* @return The temporal directory
* @throws IOException If there is an I/O error
*/
public File copyResourcesToTempDir(final boolean preserve,
final String... paths)
throws IOException {
final File parent = new File(System.getProperty("Java.io.tmpdir"));
File directory;
do {
directory = new File(parent, String.valueOf(System.nanoTime()));
} while (!directory.mkdir());
return this.copyResourcesToDir(directory, preserve, paths);
}
/**
* Copies a set of resources into a directory, preserving the paths
* and names of the resources.
* @param directory The target directory
* @param preserve Whether the files should be placed directly in the
* directory or the source path should be kept
* @param paths The paths to the resources
* @return The temporal directory
* @throws IOException If there is an I/O error
*/
public File copyResourcesToDir(final File directory, final boolean preserve,
final String... paths) throws IOException {
for (final String path : paths) {
final File target;
if (preserve) {
target = new File(directory, path);
target.getParentFile().mkdirs();
} else {
target = new File(directory, new File(path).getName());
}
this.writeToFile(
Thread.currentThread()
.getContextClassLoader()
.getResourceAsStream(path),
target
);
}
return directory;
}
/**
* Copies a resource directory from inside a JAR file to a target directory.
* @param source The JAR file
* @param path The path to the directory inside the JAR file
* @param target The target directory
* @throws IOException If there is an I/O error
*/
public void copyResourceDirectory(final JarFile source, final String path,
final File target) throws IOException {
final Enumeration<JarEntry> entries = source.entries();
final String newpath = String.format("%s/", path);
while (entries.hasMoreElements()) {
final JarEntry entry = entries.nextElement();
if (entry.getName().startsWith(newpath) && !entry.isDirectory()) {
final File dest =
new File(target, entry.getName().substring(newpath.length()));
final File parent = dest.getParentFile();
if (parent != null) {
parent.mkdirs();
}
this.writeToFile(source.getInputStream(entry), dest);
}
}
}
/**
* The JAR file containing the given class.
* @param clazz The class
* @return The JAR file or null
* @throws IOException If there is an I/O error
*/
public Optional<JarFile> jar(final Class<?> clazz) throws IOException {
final String path =
String.format("/%s.class", clazz.getName().replace('.', '/'));
final URL url = clazz.getResource(path);
Optional<JarFile> optional = Optional.empty();
if (url != null) {
final String jar = url.toString();
final int bang = jar.indexOf('!');
if (jar.startsWith(ResourceCopy.JAR_URI_PREFIX) && bang != -1) {
optional = Optional.of(
new JarFile(
jar.substring(ResourceCopy.JAR_URI_PREFIX.length(), bang)
)
);
}
}
return optional;
}
/**
* Writes an input stream to a file.
* @param input The input stream
* @param target The target file
* @throws IOException If there is an I/O error
*/
private void writeToFile(final InputStream input, final File target)
throws IOException {
final OutputStream output = Files.newOutputStream(target.toPath());
final byte[] buffer = new byte[ResourceCopy.BUFFER_SIZE];
int length = input.read(buffer);
while (length > 0) {
output.write(buffer, 0, length);
length = input.read(buffer);
}
input.close();
output.close();
}
}
ClassLoader を使用して リソースへのストリーム を取得できます。 InputStreamを取得したら、ストリームの内容を読み取って、OutputStreamに書き込むことができます。
この場合、宛先にコピーするファイルごとに1つずつ、いくつかのOutputStreamインスタンスを作成する必要があります。もちろん、これには、事前にファイル名を知っている必要があります。
このタスクでは、getResourceまたはgetResources()ではなく、getResourceAsStreamを使用することをお勧めします。
最近、似たような問題に直面しています。 Javaリソースからフォルダを抽出しようとしました。そのため、この問題をSpring PathMatchingResourcePatternResolverで解決しました。
このコードは、指定されたリソースからすべてのファイルとディレクトリを取得します。
ResourcePatternResolver resolver = new PathMatchingResourcePatternResolver();
Resource[] resources = resolver.getResources(ResourcePatternResolver.CLASSPATH_ALL_URL_PREFIX
+ resourceFolder + "/**");
これは、リソースからディスクパスにすべてのファイルとディレクトリをコピーするクラスです。
public class ResourceExtractor {
public static final Logger logger =
Logger.getLogger(ResourceExtractor.class);
public void extract(String resourceFolder, String destinationFolder){
try {
ResourcePatternResolver resolver = new PathMatchingResourcePatternResolver();
Resource[] resources = resolver.getResources(ResourcePatternResolver.CLASSPATH_ALL_URL_PREFIX
+ resourceFolder + "/**");
URI inJarUri = new DefaultResourceLoader().getResource("classpath:" + resourceFolder).getURI();
for (Resource resource : resources){
String relativePath = resource
.getURI()
.getRawSchemeSpecificPart()
.replace(inJarUri.getRawSchemeSpecificPart(), "");
if (relativePath.isEmpty()){
continue;
}
if (relativePath.endsWith("/") || relativePath.endsWith("\\")) {
File dirFile = new File(destinationFolder + relativePath);
if (!dirFile.exists()) {
dirFile.mkdir();
}
}
else{
copyResourceToFilePath(resource, destinationFolder + relativePath);
}
}
}
catch (IOException e){
logger.debug("Extraction failed!", e );
}
}
private void copyResourceToFilePath(Resource resource, String filePath) throws IOException{
InputStream resourceInputStream = resource.getInputStream();
File file = new File(filePath);
if (!file.exists()) {
FileUtils.copyInputStreamToFile(resourceInputStream, file);
}
}
}