我试图在我的相机对象中设置最佳的输出图片尺寸。这样,我可以获得一个完美的缩小样本图像并显示它。

在调试过程中,我观察到我正在设置输出图片的大小恰好是我屏幕尺寸的大小。但是当我DecodeBounds通过相机返回的图像时。我得到更大的数字!

另外,我没有将显示尺寸设置为预期的输出图片尺寸。下面给出了用于计算和设置输出图片大小的代码。

我将此代码用于API级别
我不知道为什么我会出现这种行为。在此先感谢您的帮助!

定义相机参数

Camera.Parameters parameters = mCamera.getParameters();
setOutputPictureSize(parameters.getSupportedPictureSizes(), parameters); //update paramters in this function.

//set the modified parameters back to mCamera
mCamera.setParameters(parameters);


最佳图片尺寸计算

private void setOutputPictureSize(List<Camera.Size> availablePicSize, Camera.Parameters parameters)
{
    if (availablePicSize != null) {

        int bestScore = (1<<30); //set an impossible value.
        Camera.Size bestPictureSize = null;

        for (Camera.Size pictureSize : availablePicSize) {

            int curScore = calcOutputScore(pictureSize); //calculate sore of the current picture size
            if (curScore < bestScore) { //update best picture size
                bestScore = curScore;
                bestPictureSize = pictureSize;
            }
        }
        if (bestPictureSize != null) {
            parameters.setPictureSize(bestPictureSize.width, bestPictureSize.height);
        }
    }
}

//calculates score of a target picture size compared to screen dimensions.
//scores are non-negative where 0 is the best score.
private int calcOutputScore(Camera.Size pictureSize)
{
    Point displaySize = AppData.getDiaplaySize();
    int score = (1<<30);//set an impossible value.

    if (pictureSize.height < displaySize.x || pictureSize.width < displaySize.y) {
        return score;  //return the worst possible score.
    }

    for (int i = 1; ; ++i) {

        if (displaySize.x * i > pictureSize.height || displaySize.y * i > pictureSize.width) {
            break;
        }
        score = Math.min(score, Math.max(pictureSize.height-displaySize.x*i, pictureSize.width-displaySize.y*i));
    }
    return score;
}

最佳答案

经过多次尝试,我终于解决了这个问题!以下是我的发现:

步骤1.如果我们已经在预览,请致电mCamera.stopPreview()

步骤2.通过调用mCamera.setParameters(...)设置修改后的参数

步骤3.重新开始预览,请致电mCamera.startPreview()

如果我在不停止预览的情况下拨打mCamera.setParameters(假设相机正在预览)。相机似乎忽略了更新的参数。

经过数次尝试和错误尝试后,我提出了此解决方案。任何人都知道在预览期间更新参数的更好方法,请分享。

08-18 08:45