android studio 点击按钮,调用系统相机,代码应该怎么写?
时间: 2023-08-04 07:09:14 浏览: 106
调用系统照相机代码
你可以使用 `Intent` 来启动系统相机。以下是一个示例代码:
```java
private static final int REQUEST_IMAGE_CAPTURE = 1;
private Uri imageUri;
public void dispatchTakePictureIntent(View view) {
Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
if (takePictureIntent.resolveActivity(getPackageManager()) != null) {
// 创建一个文件来保存拍照后的图片
File photoFile = null;
try {
photoFile = createImageFile();
} catch (IOException ex) {
// Error occurred while creating the File
ex.printStackTrace();
}
// 给文件创建一个 content:// Uri
if (photoFile != null) {
imageUri = FileProvider.getUriForFile(this,
"com.example.android.fileprovider",
photoFile);
// 将 Uri 放入 Intent 中
takePictureIntent.putExtra(MediaStore.EXTRA_OUTPUT, imageUri);
// 启动相机应用
startActivityForResult(takePictureIntent, REQUEST_IMAGE_CAPTURE);
}
}
}
@Override
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
if (requestCode == REQUEST_IMAGE_CAPTURE && resultCode == RESULT_OK) {
// 拍照成功,将图片显示出来
ImageView imageView = findViewById(R.id.image_view);
imageView.setImageURI(imageUri);
}
}
private File createImageFile() throws IOException {
// Create an image file name
String timeStamp = new SimpleDateFormat("yyyyMMdd_HHmmss").format(new Date());
String imageFileName = "JPEG_" + timeStamp + "_";
File storageDir = getExternalFilesDir(Environment.DIRECTORY_PICTURES);
File image = File.createTempFile(
imageFileName, /* prefix */
".jpg", /* suffix */
storageDir /* directory */
);
// Save a file: path for use with ACTION_VIEW intents
String currentPhotoPath = image.getAbsolutePath();
return image;
}
```
这段代码做了以下几件事情:
1. 创建一个 `Intent` 对象,并将其 action 设置为 `MediaStore.ACTION_IMAGE_CAPTURE`,以启动系统相机应用。
2. 通过 `createImageFile()` 方法创建一个文件来保存拍照后的图片,并使用 `FileProvider` 将文件的 `content://` Uri 传递给相机应用。
3. 在 `onActivityResult()` 方法中获取拍照后的图片 Uri,并将其显示在 `ImageView` 中。
请注意,你需要在 `AndroidManifest.xml` 文件中声明 `FileProvider`,并将其授权给相机应用。以下是一个示例代码:
```xml
<manifest ...>
<application ...>
<provider
android:name="androidx.core.content.FileProvider"
android:authorities="com.example.android.fileprovider"
android:grantUriPermissions="true"
android:exported="false">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="@xml/file_paths" />
</provider>
...
</application>
</manifest>
```
在 `res/xml/` 目录下创建一个名为 `file_paths.xml` 的文件,并将其内容设置为以下内容:
```xml
<paths>
<external-path name="my_images" path="Android/data/com.example.package.name/files/Pictures" />
</paths>
```
请将 `com.example.package.name` 替换为你的应用程序的包名。
最后,你需要在 `AndroidManifest.xml` 文件中声明相机权限。以下是一个示例代码:
```xml
<manifest ...>
<uses-permission android:name="android.permission.CAMERA" />
<uses-feature android:name="android.hardware.camera" />
...
</manifest>
```
这样,当用户点击按钮时,你的应用程序将启动系统相机应用,并在拍照后将照片显示在 `ImageView` 中。
阅读全文