18

有没有一种方法可以将用户的默认浏览器作为字符串返回?

我正在寻找的示例:

System.out.println(getDefaultBrowser()); // prints "Chrome"
4

1 回答 1

21

您可以通过使用注册表[1]和正则表达式将默认浏览器提取为字符串来完成此方法。据我所知,没有一种“更清洁”的方法可以做到这一点。

public static String getDefaultBrowser()
{
    try
    {
        // Get registry where we find the default browser
        Process process = Runtime.getRuntime().exec("REG QUERY HKEY_CLASSES_ROOT\\http\\shell\\open\\command");
        Scanner kb = new Scanner(process.getInputStream());
        while (kb.hasNextLine())
        {
            // Get output from the terminal, and replace all '\' with '/' (makes regex a bit more manageable)
            String registry = (kb.nextLine()).replaceAll("\\\\", "/").trim();

            // Extract the default browser
            Matcher matcher = Pattern.compile("/(?=[^/]*$)(.+?)[.]").matcher(registry);
            if (matcher.find())
            {
                // Scanner is no longer needed if match is found, so close it
                kb.close();
                String defaultBrowser = matcher.group(1);

                // Capitalize first letter and return String
                defaultBrowser = defaultBrowser.substring(0, 1).toUpperCase() + defaultBrowser.substring(1, defaultBrowser.length());
                return defaultBrowser;
            }
        }
        // Match wasn't found, still need to close Scanner
        kb.close();
    } catch (Exception e)
    {
        e.printStackTrace();
    }
    // Have to return something if everything fails
    return "Error: Unable to get default browser";
}

现在,无论何时getDefaultBrowser()调用,都应返回 Windows 的默认浏览器。

测试浏览器:

  • Google Chrome(函数返回“Chrome”)
  • Mozilla Firefox(函数返回“Firefox”)
  • Opera(函数返回“Opera”)

正则表达式 ( /(?=[^/]*$)(.+?)[.]) 的解释:

  • /(?=[^/]*$)/匹配字符串中最后出现的
  • [.]匹配.文件扩展名中的
  • (.+?)捕获这两个匹配字符之间的字符串。

在我们针对正则表达式进行测试之前,您可以通过查看registryright 的值来了解它是如何捕获的(我已将捕获的内容加粗):

(默认) REG_SZ "C:/Program Files (x86)/Mozilla Firefox/ firefox .exe" -osint -url "%1"


[1]仅限 Windows。我无法访问 Mac 或 Linux 计算机,但是通过浏览 Internet,我认为com.apple.LaunchServices.plist将默认浏览器值存储在 Mac 上,而在 Linux 上,我认为您可以执行命令xdg-settings get default-web-browser来获取默认浏览器。不过,我可能是错的,也许可以访问这些内容的人愿意为我测试并评论如何实施它们?

于 2013-04-06T15:53:58.627 回答