Парсер ярлыка Windows (.lnk) в Java?
Я сейчас пользуюсь Win32ShellFolderManager2
а также ShellFolder.getLinkLocation
разрешить ярлыки Windows в Java. К сожалению, если Java-программа работает как сервис под Vista, getLinkLocation
, это не работает. В частности, я получаю исключение о том, что "Не удалось получить список идентификаторов папок оболочки".
При поиске в Интернете появляются упоминания об этом сообщении об ошибке, но всегда в связи с JFileChooser
, Я не пользуюсь JFileChooser
Мне просто нужно разрешить .lnk
файл к месту назначения.
Кто-нибудь знает о стороннем парсере для .lnk
файлы, написанные на Java, я мог бы использовать?
С тех пор я нашел здесь неофициальную документацию для формата.lnk, но я бы предпочел не выполнять эту работу, если кто-то делал это раньше, поскольку формат довольно страшный.
8 ответов
Добавлены комментарии (некоторые пояснения, а также благодарность каждому вкладчику), дополнительная проверка магии файла, быстрая проверка, чтобы определить, является ли данный файл допустимой ссылкой (без чтения всех байтов), исправление, которое нужно выбросить ParseException с соответствующим сообщением вместо ArrayIndexOutOfBoundsException, если файл слишком мал, выполнил некоторую общую очистку.
Источник здесь (если у вас есть какие-либо изменения, вставьте их прямо в репозиторий/ проект GitHub.
package org.stackruusers.file;
import java.io.ByteArrayOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.io.InputStream;
import java.text.ParseException;
/**
* Represents a Windows shortcut (typically visible to Java only as a '.lnk' file).
*
* Retrieved 2011-09-23 from http://stackru.com/questions/309495/windows-shortcut-lnk-parser-in-java/672775#672775
* Originally called LnkParser
*
* Written by: (the stack overflow users, obviously!)
* Apache Commons VFS dependency removed by crysxd (why were we using that!?) https://github.com/crysxd
* Headerified, refactored and commented by Code Bling http://stackru.com/users/675721/code-bling
* Network file support added by Stefan Cordes http://stackru.com/users/81330/stefan-cordes
* Adapted by Sam Brightman http://stackru.com/users/2492/sam-brightman
* Based on information in 'The Windows Shortcut File Format' by Jesse Hager <jessehager@iname.com>
* And somewhat based on code from the book 'Swing Hacks: Tips and Tools for Killer GUIs'
* by Joshua Marinacci and Chris Adamson
* ISBN: 0-596-00907-0
* http://www.oreilly.com/catalog/swinghks/
*/
public class WindowsShortcut
{
private boolean isDirectory;
private boolean isLocal;
private String real_file;
/**
* Provides a quick test to see if this could be a valid link !
* If you try to instantiate a new WindowShortcut and the link is not valid,
* Exceptions may be thrown and Exceptions are extremely slow to generate,
* therefore any code needing to loop through several files should first check this.
*
* @param file the potential link
* @return true if may be a link, false otherwise
* @throws IOException if an IOException is thrown while reading from the file
*/
public static boolean isPotentialValidLink(File file) throws IOException {
final int minimum_length = 0x64;
InputStream fis = new FileInputStream(file);
boolean isPotentiallyValid = false;
try {
isPotentiallyValid = file.isFile()
&& file.getName().toLowerCase().endsWith(".lnk")
&& fis.available() >= minimum_length
&& isMagicPresent(getBytes(fis, 32));
} finally {
fis.close();
}
return isPotentiallyValid;
}
public WindowsShortcut(File file) throws IOException, ParseException {
InputStream in = new FileInputStream(file);
try {
parseLink(getBytes(in));
} finally {
in.close();
}
}
/**
* @return the name of the filesystem object pointed to by this shortcut
*/
public String getRealFilename() {
return real_file;
}
/**
* Tests if the shortcut points to a local resource.
* @return true if the 'local' bit is set in this shortcut, false otherwise
*/
public boolean isLocal() {
return isLocal;
}
/**
* Tests if the shortcut points to a directory.
* @return true if the 'directory' bit is set in this shortcut, false otherwise
*/
public boolean isDirectory() {
return isDirectory;
}
/**
* Gets all the bytes from an InputStream
* @param in the InputStream from which to read bytes
* @return array of all the bytes contained in 'in'
* @throws IOException if an IOException is encountered while reading the data from the InputStream
*/
private static byte[] getBytes(InputStream in) throws IOException {
return getBytes(in, null);
}
/**
* Gets up to max bytes from an InputStream
* @param in the InputStream from which to read bytes
* @param max maximum number of bytes to read
* @return array of all the bytes contained in 'in'
* @throws IOException if an IOException is encountered while reading the data from the InputStream
*/
private static byte[] getBytes(InputStream in, Integer max) throws IOException {
// read the entire file into a byte buffer
ByteArrayOutputStream bout = new ByteArrayOutputStream();
byte[] buff = new byte[256];
while (max == null || max > 0) {
int n = in.read(buff);
if (n == -1) {
break;
}
bout.write(buff, 0, n);
if (max != null)
max -= n;
}
in.close();
return bout.toByteArray();
}
private static boolean isMagicPresent(byte[] link) {
final int magic = 0x0000004C;
final int magic_offset = 0x00;
return link.length >= 32 && bytesToDword(link, magic_offset) == magic;
}
/**
* Gobbles up link data by parsing it and storing info in member fields
* @param link all the bytes from the .lnk file
*/
private void parseLink(byte[] link) throws ParseException {
try {
if (!isMagicPresent(link))
throw new ParseException("Invalid shortcut; magic is missing", 0);
// get the flags byte
byte flags = link[0x14];
// get the file attributes byte
final int file_atts_offset = 0x18;
byte file_atts = link[file_atts_offset];
byte is_dir_mask = (byte)0x10;
if ((file_atts & is_dir_mask) > 0) {
isDirectory = true;
} else {
isDirectory = false;
}
// if the shell settings are present, skip them
final int shell_offset = 0x4c;
final byte has_shell_mask = (byte)0x01;
int shell_len = 0;
if ((flags & has_shell_mask) > 0) {
// the plus 2 accounts for the length marker itself
shell_len = bytesToWord(link, shell_offset) + 2;
}
// get to the file settings
int file_start = 0x4c + shell_len;
final int file_location_info_flag_offset_offset = 0x08;
int file_location_info_flag = link[file_start + file_location_info_flag_offset_offset];
isLocal = (file_location_info_flag & 2) == 0;
// get the local volume and local system values
//final int localVolumeTable_offset_offset = 0x0C;
final int basename_offset_offset = 0x10;
final int networkVolumeTable_offset_offset = 0x14;
final int finalname_offset_offset = 0x18;
int finalname_offset = link[file_start + finalname_offset_offset] + file_start;
String finalname = getNullDelimitedString(link, finalname_offset);
if (isLocal) {
int basename_offset = link[file_start + basename_offset_offset] + file_start;
String basename = getNullDelimitedString(link, basename_offset);
real_file = basename + finalname;
} else {
int networkVolumeTable_offset = link[file_start + networkVolumeTable_offset_offset] + file_start;
int shareName_offset_offset = 0x08;
int shareName_offset = link[networkVolumeTable_offset + shareName_offset_offset]
+ networkVolumeTable_offset;
String shareName = getNullDelimitedString(link, shareName_offset);
real_file = shareName + "\\" + finalname;
}
} catch (ArrayIndexOutOfBoundsException e) {
throw new ParseException("Could not be parsed, probably not a valid WindowsShortcut", 0);
}
}
private static String getNullDelimitedString(byte[] bytes, int off) {
int len = 0;
// count bytes until the null character (0)
while (true) {
if (bytes[off + len] == 0) {
break;
}
len++;
}
return new String(bytes, off, len);
}
/*
* convert two bytes into a short note, this is little endian because it's
* for an Intel only OS.
*/
private static int bytesToWord(byte[] bytes, int off) {
return ((bytes[off + 1] & 0xff) << 8) | (bytes[off] & 0xff);
}
private static int bytesToDword(byte[] bytes, int off) {
return (bytesToWord(bytes, off + 2) << 16) | bytesToWord(bytes, off);
}
}
Решение Сэма Брайтмана только для локальных файлов. Я добавил поддержку сетевых файлов:
- Парсер ярлыка Windows (.lnk) в Java?
- http://code.google.com/p/8bits/downloads/detail?name=The_Windows_Shortcut_File_Format.pdf
http://www.javafaq.nu/java-example-code-468.html
public class LnkParser { public LnkParser(File f) throws IOException { parse(f); } private boolean isDirectory; private boolean isLocal; public boolean isDirectory() { return isDirectory; } private String real_file; public String getRealFilename() { return real_file; } private void parse(File f) throws IOException { // read the entire file into a byte buffer FileInputStream fin = new FileInputStream(f); ByteArrayOutputStream bout = new ByteArrayOutputStream(); byte[] buff = new byte[256]; while (true) { int n = fin.read(buff); if (n == -1) { break; } bout.write(buff, 0, n); } fin.close(); byte[] link = bout.toByteArray(); parseLink(link); } private void parseLink(byte[] link) { // get the flags byte byte flags = link[0x14]; // get the file attributes byte final int file_atts_offset = 0x18; byte file_atts = link[file_atts_offset]; byte is_dir_mask = (byte)0x10; if ((file_atts & is_dir_mask) > 0) { isDirectory = true; } else { isDirectory = false; } // if the shell settings are present, skip them final int shell_offset = 0x4c; final byte has_shell_mask = (byte)0x01; int shell_len = 0; if ((flags & has_shell_mask) > 0) { // the plus 2 accounts for the length marker itself shell_len = bytes2short(link, shell_offset) + 2; } // get to the file settings int file_start = 0x4c + shell_len; final int file_location_info_flag_offset_offset = 0x08; int file_location_info_flag = link[file_start + file_location_info_flag_offset_offset]; isLocal = (file_location_info_flag & 2) == 0; // get the local volume and local system values //final int localVolumeTable_offset_offset = 0x0C; final int basename_offset_offset = 0x10; final int networkVolumeTable_offset_offset = 0x14; final int finalname_offset_offset = 0x18; int finalname_offset = link[file_start + finalname_offset_offset] + file_start; String finalname = getNullDelimitedString(link, finalname_offset); if (isLocal) { int basename_offset = link[file_start + basename_offset_offset] + file_start; String basename = getNullDelimitedString(link, basename_offset); real_file = basename + finalname; } else { int networkVolumeTable_offset = link[file_start + networkVolumeTable_offset_offset] + file_start; int shareName_offset_offset = 0x08; int shareName_offset = link[networkVolumeTable_offset + shareName_offset_offset] + networkVolumeTable_offset; String shareName = getNullDelimitedString(link, shareName_offset); real_file = shareName + "\\" + finalname; } } private static String getNullDelimitedString(byte[] bytes, int off) { int len = 0; // count bytes until the null character (0) while (true) { if (bytes[off + len] == 0) { break; } len++; } return new String(bytes, off, len); } /* * convert two bytes into a short note, this is little endian because it's * for an Intel only OS. */ private static int bytes2short(byte[] bytes, int off) { return ((bytes[off + 1] & 0xff) << 8) | (bytes[off] & 0xff); } /** * Returns the value of the instance variable 'isLocal'. * * @return Returns the isLocal. */ public boolean isLocal() { return isLocal; } }
Я могу рекомендовать этот репозиторий на GitHub:
https://github.com/BlackOverlord666/mslinks
Там я нашел простое решение для создания ярлыков:
ShellLink.createLink("path/to/existing/file.txt", "path/to/the/future/shortcut.lnk");
Если вы хотите прочитать ярлыки:
File shortcut = ...;
String pathToExistingFile = new ShellLink(shortcut).resolveTarget();
Если вы хотите изменить значок ярлыка, используйте:
ShellLink sl = ...;
sl.setIconLocation("/path/to/icon/file");
Вы можете редактировать большинство свойств ссылки быстрого доступа, таких как рабочий каталог, текст всплывающей подсказки, значок, аргументы командной строки, горячие клавиши, создавать ссылки на общие файлы и каталоги локальной сети и многое другое...
Надеюсь, это поможет вам:)
С наилучшими пожеланиями, Джосуа Франк
Я также работал (сейчас у меня нет на это времени) над ".lnk" в Java. Мой код здесь
Это немного грязно (некоторые тесты мусора), но локальный и сетевой анализ работает хорошо. Создание ссылок тоже реализовано. Пожалуйста, проверьте и пришлите мне патчи.
Пример разбора:
Shortcut scut = Shortcut.loadShortcut(new File("C:\\t.lnk"));
System.out.println(scut.toString());
Создание новой ссылки:
Shortcut scut = new Shortcut(new File("C:\\temp"));
OutputStream os = new FileOutputStream("C:\\t.lnk");
os.write(scut.getBytes());
os.flush();
os.close();
Код plan9assembler, связанный с, кажется, работает с незначительными изменениями. Я думаю, что это просто& 0xff
"чтобы предотвратить расширение знака, когда byte
S Upcast для int
в bytes2short
функция, которая нуждается в изменении. Я добавил функциональность, описанную в http://www.i2s-lab.com/Papers/The_Windows_Shortcut_File_Format.pdf чтобы объединить "заключительную часть имени пути", хотя на практике это, похоже, не используется в моих примерах, Я не добавил никаких проверок ошибок в заголовок или имел дело с сетевыми ресурсами. Вот что я сейчас использую:
import java.io.ByteArrayOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.text.DecimalFormat;
import java.text.NumberFormat;
public class LnkParser {
public LnkParser(File f) throws Exception {
parse(f);
}
private boolean is_dir;
public boolean isDirectory() {
return is_dir;
}
private String real_file;
public String getRealFilename() {
return real_file;
}
private void parse(File f) throws Exception {
// read the entire file into a byte buffer
FileInputStream fin = new FileInputStream(f);
ByteArrayOutputStream bout = new ByteArrayOutputStream();
byte[] buff = new byte[256];
while (true) {
int n = fin.read(buff);
if (n == -1) {
break;
}
bout.write(buff, 0, n);
}
fin.close();
byte[] link = bout.toByteArray();
// get the flags byte
byte flags = link[0x14];
// get the file attributes byte
final int file_atts_offset = 0x18;
byte file_atts = link[file_atts_offset];
byte is_dir_mask = (byte) 0x10;
if ((file_atts & is_dir_mask) > 0) {
is_dir = true;
} else {
is_dir = false;
}
// if the shell settings are present, skip them
final int shell_offset = 0x4c;
final byte has_shell_mask = (byte) 0x01;
int shell_len = 0;
if ((flags & has_shell_mask) > 0) {
// the plus 2 accounts for the length marker itself
shell_len = bytes2short(link, shell_offset) + 2;
}
// get to the file settings
int file_start = 0x4c + shell_len;
// get the local volume and local system values
final int basename_offset_offset = 0x10;
final int finalname_offset_offset = 0x18;
int basename_offset = link[file_start + basename_offset_offset]
+ file_start;
int finalname_offset = link[file_start + finalname_offset_offset]
+ file_start;
String basename = getNullDelimitedString(link, basename_offset);
String finalname = getNullDelimitedString(link, finalname_offset);
real_file = basename + finalname;
}
private static String getNullDelimitedString(byte[] bytes, int off) {
int len = 0;
// count bytes until the null character (0)
while (true) {
if (bytes[off + len] == 0) {
break;
}
len++;
}
return new String(bytes, off, len);
}
/*
* convert two bytes into a short note, this is little endian because it's
* for an Intel only OS.
*/
private static int bytes2short(byte[] bytes, int off) {
return ((bytes[off + 1] & 0xff) << 8) | (bytes[off] & 0xff);
}
}
Нашла другую непрофессиональную технику. выполняю свою работу.
File file=new File("C:\\ProgramData\\Microsoft\\Windows\\Start Menu\\Programs\\TeamViewer.lnk");//shortcut link
FileInputStream stream=new FileInputStream(file);
DataInputStream st=new DataInputStream(stream);
byte[] bytes=new byte[(int)stream.getChannel().size()];
stream.read(bytes);
String data=new String(bytes);
int i1=data.indexOf("C:\\Program Files");
int i2=data.indexOf(".exe",i1);
System.out.println(data.substring(i1, i2+4));
У меня не работает решение @Code Bling для файлов в каталоге User.
Например, "C:/Users/Username/Filename.txt".
Причина для этого: в The_Windows_Shortcut_File_Format.pdf
это было упомянуто @Stefan Cordes на странице 6, где говорится, что только первые 2 бита важны для информации о томах. Все остальные биты могут быть заполнены случайным мусором, когда первый бит информации о томах равен "0".
Так что, если речь идет о:
isLocal = (file_location_info_flag & 2) == 0;
затем file_location_info_flag
может быть "3". Этот файл все еще локальный, но эта строка кода назначает false
в isLocal
,
Поэтому я предлагаю следующую корректировку кода @Code Bling:
isLocal = (file_location_info_flag & 1) == 1;
Этот короткий код действительно полезен...
Но необходимы два исправления:
isPotentialValidLink улучшен, чтобы не загружать файл, если имя не заканчивается на ".lnk"
public static boolean isPotentialValidLink(final File file) { final int minimum_length = 0x64; boolean isPotentiallyValid = false; if (file.getName().toLowerCase().endsWith(".lnk")) try (final InputStream fis = new FileInputStream(file)) { isPotentiallyValid = file.isFile() && fis.available() >= minimum_length && isMagicPresent(getBytes(fis, 32)); } catch (Exception e) { // forget it } return isPotentiallyValid; }
смещение должно быть вычислено с 32 битами, а не только байтом...
final int finalname_offset = bytesToDword(link,file_start + finalname_offset_offset) + file_start; final int basename_offset = bytesToDword(link,file_start + basename_offset_offset) + file_start;
Данный код работает хорошо, но есть ошибка. Java-байт является значением со знаком от -128 до 127. Мы хотим, чтобы значение без знака от 0 до 255 получало правильные результаты. Просто измените функцию bytes2short следующим образом:
static int bytes2short(byte[] bytes, int off) {
int low = (bytes[off]<0 ? bytes[off]+256 : bytes[off]);
int high = (bytes[off+1]<0 ? bytes[off+1]+256 : bytes[off+1])<<8;
return 0 | low | high;
}