.net UrlEncode - проблема с нижним регистром
Я работаю над передачей данных для шлюза, который требует от меня отправлять данные в формате UrlEncoded. Однако .net UrlEncode создает строчные теги, и он прерывает передачу (Java создает прописные буквы).
Любые мысли, как я могу заставить .net делать заглавные UrlEncoding?
update1:
.net out:
dltz7UK2pzzdCWJ6QOvWXyvnIJwihPdmAioZ%2fENVuAlDQGRNCp1F
vs Java:
dltz7UK2pzzdCWJ6QOvWXyvnIJwihPdmAioZ%2fENVuAlDQGRNCp1F
(это base64d строка 3DES, мне нужно сохранить ее).
Ответы
Ответ 1
Я думаю, что вы застряли в том, что дает С#, и получение ошибок говорит о плохо реализованной функции UrlDecode на другом конце.
С учетом сказанного вам нужно просто пропустить строку и прописные буквы только два символа, следующих за значком%. Это приведет к сохранению данных base64 при массировании закодированных символов в нужном формате:
public static string UpperCaseUrlEncode(string s)
{
char[] temp = HttpUtility.UrlEncode(s).ToCharArray();
for (int i = 0; i < temp.Length - 2; i++)
{
if (temp[i] == '%')
{
temp[i + 1] = char.ToUpper(temp[i + 1]);
temp[i + 2] = char.ToUpper(temp[i + 2]);
}
}
return new string(temp);
}
Ответ 2
Замените кодировку нижнего регистра в HttpUtility.UrlEnocde на Regex:
static string UrlEncodeUpperCase(string value) {
value = HttpUtility.UrlEncode(value);
return Regex.Replace(value, "(%[0-9a-f][0-9a-f])", c => c.Value.ToUpper());
}
var value = "SomeWords 123 #=/ äöü";
var encodedValue = HttpUtility.UrlEncode(value);
// SomeWords+123+%23%3d%2f+%c3%a4%c3%b6%c3%bc
var encodedValueUpperCase = UrlEncodeUpperCase(value);
// now the hex chars after % are uppercase:
// SomeWords+123+%23%3D%2F+%C3%A4%C3%B6%C3%BC
Ответ 3
Я знаю, что это очень старо и, возможно, этого решения не существует, но это была одна из главных страниц, которые я нашел в Google при попытке решить эту проблему.
System.Net.WebUtility.UrlEncode(posResult);
Это кодируется в верхний регистр.
Ответ 4
Это очень легко
Regex.Replace( encodedString, @"%[a-f\d]{2}", m => m.Value.ToUpper() )
т.е. замените все шестнадцатеричные комбинации букв на верхний регистр
Ответ 5
если кто-то другой ищет здесь для поиска perl-кода или PCRE (perl-совместимое регулярное выражение) для решения проблемы, (кандидат для кратчайшего) perl-выражения для преобразования url-кода в нижний регистр hex:
s/%(\X{2})/%\L$1\E/go
и наоборот (в нижнем и верхнем регистре)
s/%(\x{2})/%\U$1\E/go
Ответ 6
Это код, который я использую в приложении Twitter для OAuth...
Public Function OAuthUrlEncode(ByVal value As String) As String
Dim result As New StringBuilder()
Dim unreservedChars As String = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_.~"
For Each symbol As Char In value
If unreservedChars.IndexOf(symbol) <> -1 Then
result.Append(symbol)
Else
result.Append("%"c + [String].Format("{0:X2}", AscW(symbol)))
End If
Next
Return result.ToString()
End Function
Надеюсь, это поможет!
Ответ 7
Здесь мое преобразование VB.NET public OAuth.OAuthBase
версия UrlEncode
(для .NET 2.0/3.5):
' MEH: Made this ReadOnly because the range of unreserved characters is specified in the OAuth spec. Inheritors ought not change it.
Protected Shared ReadOnly unreservedChars As String = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_.~"
' MEH: Added. These are the other characters HttpUtility.UrlEncode does not convert to percent encoding itself.
Protected Shared ReadOnly reservedChars As String = " !'()*" ' If this moves to .NET 4+ ' can be removed.
''' <summary>
''' This is a different Url Encode implementation since the default .NET one outputs the percent encoding in lower case.
''' While this is not a problem with the percent encoding spec, it is used in upper case throughout OAuth.
''' Also the OAuth spec explicitly requires some characters to be unencoded.
''' </summary>
''' <param name="Value">The value to Url encode</param>
''' <returns>Returns a Url encoded string</returns>
''' <revisionhistory>
''' 140313 MEH Fixed to correctly cater for any characters between %80 and %ff, and the O(n^2) IndexOf call.
''' </revisionhistory>
Public Shared Function UrlEncode(ByVal Value As String) As String
Dim result, buffer As New StringBuilder()
For Each symbol As Char In Value
If unreservedChars.IndexOf(symbol) <> -1 Then
UrlEncodeAppendClear(result, buffer).Append(symbol)
ElseIf reservedChars.IndexOf(symbol) = -1 Then
'some symbols produce 2 or more octets in UTF8 so the system urlencoder must be used to get the correct data
' but this is best done over a full sequence of characters, so just store this one in a buffer.
buffer.Append(symbol)
Else ' These characters are not converted to percent encoding by UrlEncode.
UrlEncodeAppendClear(result, buffer).AppendFormat(Globalization.CultureInfo.InvariantCulture, "%{0:X2}", AscW(symbol))
End If
Next
UrlEncodeAppendClear(result, buffer)
Return result.ToString()
End Function
Private Shared percentHex As New RegularExpressions.Regex("(%[0-9a-f][0-9a-f])", RegularExpressions.RegexOptions.Compiled)
''' <summary>
''' Actually performs the UrlEncode on any buffered characters, ensuring the resulting percents are uppercased and clears the buffer.
''' </summary>
'''
''' <param name="Result">The result of the UrlEncode is appended here.</param>
''' <param name="Buffer">The current buffer of characters to be encoded. Cleared on return.</param>
'''
''' <returns>The <paramref name="Result">Result</paramref>, as passed in, with the UrlEncoding of the <paramref name="Buffer">buffer of characters</paramref> appended.</returns>
'''
''' <remarks>Would like to be an extension method.</remarks>
'''
''' <revisionhistory>
''' 140313 MEH Created.
''' </revisionhistory>
Private Shared Function UrlEncodeAppendClear(ByVal Result As StringBuilder, ByVal Buffer As StringBuilder) As StringBuilder
If Buffer.Length > 0 Then
Result.Append(percentHex.Replace(HttpUtility.UrlEncode(Buffer.ToString), Function(c) c.Value.ToUpperInvariant()))
Buffer.Length = 0
End If
Return Result
End Function