我在Postgresql db中存储了一个bytea列。
的ColumnName:测试
Ex: \x61736461640061736461736400
当我在我的选择查询中使用encode(test,'escape')时,我会得到类似这样的东西。
Ex: asdad\000asdasd\000
但如何做如果想在Java中进行encode-escape? 即如果我有
String str = \x61736461640061736461736400
如何将asdad\000asdasd\000
作为字符串数组?
感谢。
答案 0 :(得分:1)
您想要一个字符串数组还是想要asdad\000asdasd\000
?您使用的是字节数组还是实际的字符串?
字符串到字节数组(如果使用字符串)
String str = "\x61736461640061736461736400"
str = str.substring(2); //get rid of \x
byte [] bytes = new byte[str.length()/2];
for(int i = 0; i < result.length; i++) {
String numberStr = str.substring(i*2,i*2+2);
int numberInt = Integer.parseInt(numberStr);
bytes[i] = (byte) numberInt;
}
字节数组到String ArrayList
ArrayList<String> result = new ArrayList<String>();
int startIndex = 0;
for(int i = 0; i < bytes.length; i++) {
if(bytes[i] == 0) {
if(startIndex > i) {
byte [] stringBytes = new byte[i - startIndex];
for(int j = startIndex; j < i; j++) {
stringBytes[j-startIndex] = bytes[j];
}
result.add(new String(stringBytes, "US-ASCII"));
}
startIndex = i+1;
}
}
字节数组到八进制转义字符串
DecimalFormat formatter = new DecimalFormat("000");
StringBuilder resultBuilder = new StringBuilder();
for(byte b : bytes) {
if(b > 0) {
char c = (char) b;
resultBuilder.append(c);
} else {
int bInt = b & 0xFF;
String octal = Integer.toString(bInt, 8);
int numPadZeroesNeeded = 3 - octal.length();
resultBuilder.append('\');
for(int i = 0; i < numPadZeroesNeeded; i++) {
resultBuilder.append('0');
}
resultBuilder.append(octal);
}
}