我正在寻找与stringByAddingPercentEscapesUsingEncoding
Java 中的方法等效的方法(适用于 Android)。
我试过URLEncoder.encode()
了,但它没有做同样的事情。
我不希望“/”或“:”被“百分比转义”,但“–”(例如)应该是。
有任何想法吗?
编辑:
我只是不希望 http:// 变成 http%3a%2f%2f
好吧,如果您想离开:
并且/
不受影响,我认为您需要自己做,因为那不是有效的百分比编码,因此Java中已经存在解决方案的机会很小。我还检查了文档stringByAddingPercentEscapesUsingEncoding
,它的行为也不像那样。
比较文档,URLEncoder.encode(string, encoding)
和NS方法一模一样,所以你的要求确实很奇怪。无论如何,这是自定义代码:
public static String stringByAddingPercentEscapesUsingEncoding( String input, String charset ) throws UnsupportedEncodingException {
byte[] bytes = input.getBytes(charset);
StringBuilder sb = new StringBuilder(bytes.length);
for( int i = 0; i < bytes.length; ++i ) {
int cp = bytes[i] < 0 ? bytes[i] + 256 : bytes[i];
if( cp <= 0x20 || cp >= 0x7F || (
cp == 0x22 || cp == 0x25 || cp == 0x3C ||
cp == 0x3E || cp == 0x20 || cp == 0x5B ||
cp == 0x5C || cp == 0x5D || cp == 0x5E ||
cp == 0x60 || cp == 0x7b || cp == 0x7c ||
cp == 0x7d
)) {
sb.append( String.format( "%%%02X", cp ) );
}
else {
sb.append( (char)cp );
}
}
return sb.toString();
}
public static String stringByAddingPercentEscapesUsingEncoding( String input ) {
try {
return stringByAddingPercentEscapesUsingEncoding(input, "UTF-8");
} catch (UnsupportedEncodingException e) {
throw new RuntimeException("Java platforms are required to support UTF-8");
// will never happen
}
}
public static void main(String[] args) {
System.out.println(
stringByAddingPercentEscapesUsingEncoding("http://en.wikipedia.org/wiki/ϊsd")
);
//http://en.wikipedia.org/wiki/%C5%93%C3%A4sd
}