在我的Android应用程序中,我生成一个qr代码,然后将其保存为jpeg图像,我使用此代码:
imageView = (ImageView) findViewById(R.id.iv);
final Bitmap bitmap = getIntent().getParcelableExtra("pic");
imageView.setImageBitmap(bitmap);
save = (Button) findViewById(R.id.save);
save.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
String path = Environment.getExternalStorageDirectory().toString();
OutputStream fOutputStream = null;
File file = new File(path + "/Captures/", "screen.jpg");
if (!file.exists()) {
file.mkdirs();
}
try {
fOutputStream = new FileOutputStream(file);
bitmap.compress(Bitmap.CompressFormat.JPEG, 100, fOutputStream);
fOutputStream.flush();
fOutputStream.close();
MediaStore.Images.Media.insertImage(getContentResolver(), file.getAbsolutePath(), file.getName(), file.getName());
} catch (FileNotFoundException e) {
e.printStackTrace();
return;
} catch (IOException e) {
e.printStackTrace();
return;
}
}
});
但它始终在该行捕获异常:
fOutputStream = new FileOutputStream(file);
是什么导致了这个问题?
答案 0 :(得分:2)
是什么导致了这个问题?
语句file.mkdirs();
按名称screen.jpg
创建了一个目录。 FileOutputStream
无法创建名称为screen.jpg
的文件,而找到该名称的目录。所以你得到了:
java.io.FileNotFoundException
请您更换以下摘录:
File file = new File(path + "/Captures/", "screen.jpg");
if (!file.exists()) {
file.mkdirs();
}
通过以下片段:
String dirPath = path + "/Captures/";
File dirFile = new File(dirPath);
if(!dirFile.exists()){
dirFile.mkdirs();
}
File file = new File(dirFile, "screen.jpg");
并查看结果?