string sURL = "http://subdomain.website.com/index.htm";
MessageBox.Show(new System.Uri(sURL).Host);
給我 「subdomain.website.com」
但我需要任何的主域名 「website.com」網址或網頁鏈接。
我該怎麼做?
string sURL = "http://subdomain.website.com/index.htm";
MessageBox.Show(new System.Uri(sURL).Host);
給我 「subdomain.website.com」
但我需要任何的主域名 「website.com」網址或網頁鏈接。
我該怎麼做?
你可以做到這一點得到公正的主機名的最後兩段:
string[] hostParts = new System.Uri(sURL).Host.Split('.');
string domain = String.Join(".", hostParts.Skip(Math.Max(0, hostParts.Length - 2)).Take(2));
或者這樣:
var host = new System.Uri(sURL).Host;
var domain = host.Substring(host.LastIndexOf('.', host.LastIndexOf('.') - 1) + 1);
這種方法就可以找到包括至少兩個域名部件,但也包括兩個字符或更少的中間部分:
var host = new System.Uri(sURL).Host;
int index = host.LastIndexOf('.'), last = 3;
while (index > 0 && index >= last - 3)
{
last = index;
index = host.LastIndexOf('.', last - 1);
}
var domain = host.Substring(index + 1);
這將處理域名,如localhost
,example.com
和example.co.uk
。這不是最好的方法,但至少可以讓您免於構建一個巨大的頂級域名列表。
using System.Text.RegularExpressions;
string sURL = "http://subdomain.website.com/index.htm";
string sPattern = @"\w+.com";
// Instantiate the regular expression object.
Regex r = new Regex(sPattern, RegexOptions.IgnoreCase);
// Match the regular expression pattern against a text string.
Match m = r.Match(sUrl);
if (m.Success)
{
MessageBox.Show(m.Value);
}
最好將正則表達式作爲外語處理(給讀者)並解釋爲什麼你的模式能夠解決這個問題。 – 2013-05-10 02:00:14
如果它是.org怎麼辦? – as9876 2015-11-08 20:06:38
你可以試試這個。如果您在數組中定義它,它可以處理多種根域。
string sURL = "http://subdomain.website.com/index.htm";
var host = new System.Uri(sURL).Host.ToLower();
string[] col = { ".com", ".cn", ".co.uk"/*all needed domain in lower case*/ };
foreach (string name in col)
{
if (host.EndsWith(name))
{
int idx = host.IndexOf(name);
int sec = host.Substring(0, idx - 1).LastIndexOf('.');
var rootDomain = host.Substring(sec + 1);
}
}
@ p.s.w.g您說得對,改爲使用EndsWith。 – 2power10 2013-05-10 07:45:33
+1這是一個很好的解決方案。 – 2013-05-10 07:49:35
到http://stackoverflow.com/questions/4643227/top-level-domain-from-url-in-c-sharp – ysrb 2013-05-10 01:35:17
類似其實你想要的頂級域名。 subdomain.website.com是域名,website.com是頂級域名。 – ysrb 2013-05-10 01:35:54
這真的不是一個很難解析的字符串。你是否嘗試過'.Split'和'string.Join'的簡單組合? – 2013-05-10 01:48:54