Reputation: 219
I want its output as uppercase. This is what I get on Server.UrlEncode("http://")
:
http%3a%2f%2f
but I need:
http%3A%2F%2F
Is there built-in solution in C#?
The url encoded shall serve as signature base string (input to signature algorithm) to create digest (hash). The hash will then be verified by other system (java,php,etc), so they need to recreate the hash by signature reconstruction first.
Upvotes: 20
Views: 10401
Reputation: 81
I encountered the same problem, I found the answer in this link:
WebUtility.UrlEncode or HttpUtility.UrlEncode
in-short you can use:
System.Net.WebUtility.UrlEncode
which encodes into uppercase hex values
Upvotes: 8
Reputation: 825
Uri.EscapeDataString("http://")
This code return
http%3A%2F%2F
Upvotes: 25
Reputation: 71
This is very easy
Regex.Replace( encodedString, @"%[a-f\d]{2}", m => m.Value.ToUpper() )
I.e. replace all hex letter-digit combinations to upper case
Upvotes: 3
Reputation: 27943
This will uppercase all escaped characters in your string.
string url = "http://whatever.com/something";
string lower = Server.UrlEncode(url);
Regex reg = new Regex(@"%[a-f0-9]{2}");
string upper = reg.Replace(lower, m => m.Value.ToUpperInvariant());
Upvotes: 34
Reputation: 25349
Assuming "http" is always the first four characters then you simply split the string after "http", UrlEncode
that part and then call ToUpper()
on it. Then join back together with "http" as your prefix.
Upvotes: 0