打开系统相机并拍照 使用 Intent 调用系统相机应用来拍照,并在 onActivityResult() 方法中获取照片数据。
时间: 2023-12-03 09:46:24 浏览: 166
好的,以下是代码示例:
```
private static final int REQUEST_IMAGE_CAPTURE = 1;
private Uri imageUri;
// 调用系统相机拍照
private void dispatchTakePictureIntent() {
Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
if (takePictureIntent.resolveActivity(getPackageManager()) != null) {
// 创建一个文件来保存照片
File photoFile = null;
try {
photoFile = createImageFile();
} catch (IOException ex) {
// 错误处理
}
// 如果文件创建成功,则将其传递给Intent,以保存照片
if (photoFile != null) {
imageUri = FileProvider.getUriForFile(this,
"com.example.myapplication.fileprovider",
photoFile);
takePictureIntent.putExtra(MediaStore.EXTRA_OUTPUT, imageUri);
startActivityForResult(takePictureIntent, REQUEST_IMAGE_CAPTURE);
}
}
}
// 创建一个文件来保存照片
private File createImageFile() throws IOException {
// 使用时间戳作为文件名
String timeStamp = new SimpleDateFormat("yyyyMMdd_HHmmss", Locale.getDefault()).format(new Date());
String imageFileName = "JPEG_" + timeStamp + "_";
File storageDir = getExternalFilesDir(Environment.DIRECTORY_PICTURES);
File image = File.createTempFile(
imageFileName, /* 前缀 */
".jpg", /* 后缀 */
storageDir /* 目录 */
);
return image;
}
// 处理相机拍照后返回的结果
@Override
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
if (requestCode == REQUEST_IMAGE_CAPTURE && resultCode == RESULT_OK) {
// 从文件中读取照片数据
try {
Bitmap bitmap = MediaStore.Images.Media.getBitmap(this.getContentResolver(), imageUri);
// 在这里进行照片数据的处理,例如显示到ImageView中
imageView.setImageBitmap(bitmap);
} catch (IOException e) {
// 错误处理
}
}
}
```
上述代码使用了 FileProvider 来获取保存照片的文件路径,需要在 AndroidManifest.xml 文件中添加以下内容:
```
<application>
...
<provider
android:name="androidx.core.content.FileProvider"
android:authorities="com.example.myapplication.fileprovider"
android:exported="false"
android:grantUriPermissions="true">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="@xml/file_paths" />
</provider>
...
</application>
```
其中,@xml/file_paths 是一个 XML 文件,用来指定 FileProvider 的路径配置。示例代码如下:
```
<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
<external-path name="my_images" path="Android/data/com.example.myapplication/files/Pictures" />
</paths>
```
这里将照片保存在应用的外部存储空间中,路径为 Android/data/com.example.myapplication/files/Pictures。如果需要保存在其他路径,请修改 file_paths.xml 文件中的 path 属性。
阅读全文