Would anyone be able to tell me how to pull the server name out of a UNC?
ex.
//servername/directory/directory
Edit : I apologize but it looks like I nee
How about Uri
:
Uri uri = new Uri(@"\\servername\d$\directory");
string[] segs = uri.Segments;
string s = "http://" + uri.Host + "/" +
string.Join("/", segs, 2, segs.Length - 2) + "/";
Regular expression to match servername
:
^//(\w+)
Ugly but it just works:
var host = uncPath.Split(new [] {'\\'}, StringSplitOptions.RemoveEmptyEntries).FirstOrDefault();
This should do the trick.
^//([^/]+).*
The server name is in the first capturing group
Just another option, for the sake of showing different options:
(?<=^//)[^/]++
The server name will be in \0
or $0
or simply the result of the function, depending on how you call it and what your language offers.
Explanation in regex comment mode:
(?x) # flag to enable regex comments
(?<= # begin positive lookbehind
^ # start of line
// # literal forwardslashes (may need escaping as \/\/ in some languages)
) # end positive lookbehind
[^/]++ # match any non-/ and keep matching possessively until a / or end of string found.
# not sure .NET supports the possessive quantifier (++) - a greedy (+) is good enough here.