我正在遵循此代码实验室示例Link上的有关如何在Android上使用CameraX API的信息,但是,当我尝试捕获图像并将其保存到主要 Activity 中在Oncreate方法中创建的外部媒体目录中时,出现一条错误消息:无法将捕获结果保存到指定位置
这是创建目录的方法,在Oncreate方法中称为:

    private fun getOutputDirectory(): File {
            val mediaDir = externalMediaDirs.firstOrNull()?.let {
                File(it, resources.getString(R.string.app_name)).apply { mkdirs() } }
            return if (mediaDir != null && mediaDir.exists())
            { Log.i(TAG, mediaDir.path); mediaDir } else {  filesDir }
        }
从我在Android文档中阅读的内容externalMediaDirs在外部存储中创建了一个文件夹,尽管我的手机没有外部存储,但该文件夹已在以下路径成功创建:/storage/emulated/0/Android/media/com.example.camerax/cameraX然后,当单击“拍摄图片”按钮时,将调用此方法:
private fun takePhoto() {
        // Get a stable reference of the modifiable image capture use case
        val imageCapture = imageCapture ?: return

        // Create time-stamped output file to hold the image
        val photoFile = File(
            outputDirectory,
            SimpleDateFormat(FILENAME_FORMAT, Locale.US
            ).format(System.currentTimeMillis()) + ".jpg")


        // Create output options object which contains file + metadata
        val outputOptions = ImageCapture.OutputFileOptions.Builder(photoFile).build()

        // Set up image capture listener, which is triggered after photo has
        // been taken
        imageCapture.takePicture(
            outputOptions,
            ContextCompat.getMainExecutor(this),
            object : ImageCapture.OnImageSavedCallback {
                override fun onError(exc: ImageCaptureException) {
                    Log.e(TAG, "Photo capture failed: ${exc.message}", exc)
                }

                override fun onImageSaved(output: ImageCapture.OutputFileResults) {
                    val savedUri = Uri.fromFile(photoFile)
                    val msg = "Photo capture succeeded: $savedUri"
                    Toast.makeText(baseContext, msg, Toast.LENGTH_SHORT).show()
                    Log.d(TAG, msg)
                }
            })


    }
但是,当我单击按钮捕获并保存图像时,出现以下错误消息:
ImageCaptureException:“无法将捕获结果保存到指定位置”
我试过的
我尝试创建一个位于App本地的文件夹,并将图像保存在该文件夹中,并且工作正常,我使用了以下方法:
private fun takePhoto() {
.
.
.
 folder: File = File(getFilesDir(), "testFolder");
            if (!file.exists()) {
                file.mkdir();
            }
testImage = File(folder, "test.jpg");

val outputOptions = ImageCapture.OutputFileOptions.Builder(testImage).build()
.
.
.
.
.
.



我不确定可能是什么问题,感谢您的帮助。
更新:
显然,此问题是由于CameraX API CameraX 1.0.0-beta09中的错误以及相机扩展1.0.0-alpha16引起的。与Camera-Extension 1.0.0-alpha15一起使用CameraX 1.0.0-beta08时,其工作正常。

最佳答案

这是CameraX 1.0.0-beta09中的错误。已对其进行了修补,并且可能在下一发行版中可用。
它崩溃是因为您实际上没有创建您要保存到的文件。解决方法是使用 File.createTempFile() ,它在目录中创建一个空文件。

val photoFile = File.createTempFile(
    SimpleDateFormat(FILENAME_FORMAT, Locale.US).format(System.currentTimeMillis()),
    ".jpg",
    outputDirectory
)

10-08 02:47