C# 打开网址

C# 打开网址 Process Start for URLs.txt

Apparently .NET Core is sort of broken when it comes to opening a URL via Process.Start. Normally you’d expect to do this:

Process.Start("http://google.com")
And then the default system browser pops open and you’re good to go. But this open issue explains that this doesn’t work on .NET Core. So instead you have to do this (credit goes to Eric Mellino):

solution 1 (tested)

use simple one

1
2
3
4
5
6
7
8
Process.Start(new ProcessStartInfo() 
{
FileName = "cmd",
Arguments = "/c start " + url,
UseShellExecute = false,
WindowStyle = ProcessWindowStyle.Hidden,
CreateNoWindow = true,
});

or the long one

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30

public static void OpenBrowser(string url)
{
try
{
Process.Start(url);
}
catch
{
// hack because of this: https://github.com/dotnet/corefx/issues/10361
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows))
{
url = url.Replace("&", "^&");
Process.Start(new ProcessStartInfo("cmd", $"/c start {url}") { CreateNoWindow = true });
}
else if (RuntimeInformation.IsOSPlatform(OSPlatform.Linux))
{
Process.Start("xdg-open", url);
}
else if (RuntimeInformation.IsOSPlatform(OSPlatform.OSX))
{
Process.Start("open", url);
}
else
{
throw;
}
}
}

solution 2 (tested)

This was an intentional breaking change in .Net Core. Specifically, UseShellExecute, which is required to be true for your code to work, defaults to true on .Net Framework, but it’s false on .Net Core. This means the following code will work on both frameworks:

1
Process.Start(new ProcessStartInfo("https://www.google.com") { UseShellExecute = true });

solution 3

dsplaisted commented on Nov 28, 2018

I believe the currently recommended workaround is to set UseShellExecute to true:

1
2
3
4
5
6
ProcessStartInfo psi = new ProcessStartInfo
{
FileName = url,
UseShellExecute = true
};
Process.Start (psi);

clairernovotny commented on Nov 28, 2018 • edited

You need this instead

1
2
3
4
5
6
ProcessStartInfo psi = new ProcessStartInfo
{
FileName = "cmd",
Arguments = "/c start https://www.baidu.com/s?wd=beijing%20time"
};
Process.Start(psi);

Which is ugly…and more likely to bite people, I think.

clairernovotny commented on Nov 28, 2018

Actually it’s worse than that, here’s what you need to do it right so no cmd window appears:

1
2
3
4
5
6
7
8
9
var psi = new ProcessStartInfo
{
FileName = "cmd",
WindowStyle = ProcessWindowStyle.Hidden,
UseShellExecute = false,
CreateNoWindow = true,
Arguments = $"/c start {link.AbsoluteUri}"
};
Process.Start(psi);

C# 打开网址
https://taylorandtony.github.io/2025/01/25/csharp-open-url/
作者
TaylorAndTony
发布于
2025年1月25日
许可协议