web-dev-qa-db-ja.com

ユーザーのデフォルトブラウザでアプリケーションからURLを起動するにはどうすればよいですか?

デスクトップアプリケーションに、ユーザーのデフォルトブラウザーを起動して、アプリケーションのロジックによって提供されたURLを表示させるボタンを作成する方法を教えてください。

30
Aaron Anodide
 Process.Start("http://www.google.com");
60
Darin Dimitrov

非常にニッチな場合を除き、Process.Start([your url])がまさに答えです。ただし、完全を期すために、しばらく前にこのようなニッチなケースに遭遇したことについて言及します。「file:\」URLを開こうとしている場合(この場合、Webhelpのローカルにインストールされたコピーを表示するため)、シェルからの起動時に、URLへのパラメーターがスローされました。

「正しい」ソリューションで問題が発生しない限り、私たちがお勧めしない、かなりハック的なソリューションは次のようになります。

ボタンのクリックハンドラーで:

string browserPath = GetBrowserPath();
if (browserPath == string.Empty)
    browserPath = "iexplore";
Process process = new Process();
process.StartInfo = new ProcessStartInfo(browserPath);
process.StartInfo.Arguments = "\"" + [whatever url you're trying to open] + "\"";
process.Start();

Process.Start([your url])が期待どおりに動作しない限り、使用すべきでないshouldい関数:

private static string GetBrowserPath()
{
    string browser = string.Empty;
    RegistryKey key = null;

    try
    {
        // try location of default browser path in XP
        key = Registry.ClassesRoot.OpenSubKey(@"HTTP\Shell\open\command", false);

        // try location of default browser path in Vista
        if (key == null)
        {
            key = Registry.CurrentUser.OpenSubKey(@"Software\Microsoft\Windows\Shell\Associations\UrlAssociations\http", false); ;
        }

        if (key != null)
        {
            //trim off quotes
            browser = key.GetValue(null).ToString().ToLower().Replace("\"", "");
            if (!browser.EndsWith("exe"))
            {
                //get rid of everything after the ".exe"
                browser = browser.Substring(0, browser.LastIndexOf(".exe") + 4);
            }

            key.Close();
        }
    }
    catch
    {
        return string.Empty;
    }

    return browser;
}
20
neminem