我正在尝试使用缓冲读取器读取文件。
String totalStr = "";
while ((s = br.readLine()) != null) {
totalStr += s + "\n";
}
当s
由base64图像组成时,该字符串被切成两半,而且我无法将文件的其余内容附加到totalstr。
由于包含特殊字符的base64图像字符串如何处理?
答案 0 :(得分:0)
首先,我建议不要使用readLine()方法,因为此方法可能会读取更多黑色字符或额外的编码。
如果仅要将具有base64的图像转换为String:
以下类包括两个方法: 将图像转换为Base64字符串并对其进行解码
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import sun.misc.BASE64Decoder;
import sun.misc.BASE64Encoder;
public class ImageToBase64 {
public static String GetImageStr(String imgFile) {
// Convert the image file to byte array, and do Base64 encoding
InputStream in = null;
byte[] data = null;
// Read Image Data Array
try {
in = new FileInputStream(imgFile);
data = new byte[in.available()];
in.read(data);
in.close();
} catch (IOException e) {
e.printStackTrace();
}
// Base64 Encoding
BASE64Encoder encoder = new BASE64Encoder();
return encoder.encode(data);// Return the string encoded by Base64
}
public static boolean GenerateImage(String base64str, String savepath) {
// Decoding the string and generate the image
if (base64str == null)
return false;
System.out.println("Decoding Start...");
BASE64Decoder decoder = new BASE64Decoder();
try {
// Base64 Decoding
byte[] b = decoder.decodeBuffer(base64str);
System.out.println("Decoding End...");
for (int i = 0; i < b.length; ++i) {
if (b[i] < 0) {
b[i] += 256;
}
}
System.out.println("Start Generating Image");
// Gen the jpeg image
OutputStream out = new FileOutputStream(savepath);
out.write(b);
out.flush();
out.close();
return true;
} catch (Exception e) {
return false;
}
}
public static void main(String[] args) {
String image = GetImageStr("C:/Users/Perspectivar/Downloads/001.jpg");
System.out.println(image);
GenerateImage(image,"C:/Users/Perspectivar/Desktop/SYZ01.jpg");
}
}