Android相机使用总结

权限:

<manifest ... >

    <uses-feature android:name="android.hardware.camera"

                  android:required="true" />

    ...

</manifest>

如果不需要相机则可以设置为false android:required="false",然后你可以通过调用

hasSystemFeature(packagemanagemanager . feature_camera)检查相机在运行时的可用性。

打开相机

static final int REQUEST_IMAGE_CAPTURE = 1;

 

private void dispatchTakePictureIntent() {

    Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);

    if (takePictureIntent.resolveActivity(getPackageManager()) != null) {

        startActivityForResult(takePictureIntent, REQUEST_IMAGE_CAPTURE);

    }

}

注意,startActivityForResult()方法受到一个调用resolveActivity()的条件的保护,该条件返回能够处理意图的第一个活动组件。执行这个检查是很重要的,因为如果您使用任何应用程序都无法处理的意图调用startActivityForResult(),您的应用程序将崩溃。

显示图片

此时,通过intent得到的图片已经是小尺寸的图片,系统处理过的

@Override

protected void onActivityResult(int requestCode, int resultCode, Intent data) {

    if (requestCode == REQUEST_IMAGE_CAPTURE && resultCode == RESULT_OK) {

        Bundle extras = data.getExtras();

        Bitmap imageBitmap = (Bitmap) extras.get("data");

        mImageView.setImageBitmap(imageBitmap);

    }

}

保存相机拍的原有尺寸的照片

1、在公有路径SD卡下保存图片

getExternalStoragePublicDirectory(), 参数为DIRECTORY_PICTURES。注意访问SD需要访问权限。

<manifest ...>

    <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />

    ...

</manifest>

 

2、若该文件属于自己APP私有的,getExternalFilesDir(),如果存放在该目录下,从Android4.4以后,不需要外部SD卡访问权限;

String mCurrentPhotoPath;

 

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

    mCurrentPhotoPath = image.getAbsolutePath();

    return image;

}

 

 

static final int REQUEST_TAKE_PHOTO = 1;

 

private void dispatchTakePictureIntent() {

    Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);

    // Ensure that there's a camera activity to handle the intent

    if (takePictureIntent.resolveActivity(getPackageManager()) != null) {

        // Create the File where the photo should go

        File photoFile = null;

        try {

            photoFile = createImageFile();

        } catch (IOException ex) {

            // Error occurred while creating the File

            ...

        }

        // Continue only if the File was successfully created

        if (photoFile != null) {

            Uri photoURI = FileProvider.getUriForFile(this,

                                                  "com.example.android.fileprovider",

                                                  photoFile);

            takePictureIntent.putExtra(MediaStore.EXTRA_OUTPUT, photoURI);

            startActivityForResult(takePictureIntent, REQUEST_TAKE_PHOTO);

        }

    }

}

Note: We are using getUriForFile(Context, String, File) which returns a content:// URI. For more recent apps targeting Android 7.0 (API level 24) and higher, passing a file:// URI across a package boundary causes a FileUriExposedException. Therefore, we now present a more generic way of storing images using aFileProvider.

 

在Android7.0 API24,使用FileProvider,需要在清单文件中进行配置,在<application/>标签里添加;

<application>

   ...

   <provider

        android:name="android.support.v4.content.FileProvider"

        android:authorities="com.example.android.fileprovider"

        android:exported="false"

        android:grantUriPermissions="true">

        <meta-data

            android:name="android.support.FILE_PROVIDER_PATHS"

            android:resource="@xml/file_paths"></meta-data>

    </provider>

    ...

</application>

1、确保android:authorities="com.example.android.fileprovider"匹配 这个方法中的第二个参数getUriForFile(Context, String, File),

2、<meta-data/>标签中要配置路径信息,其中xml文件保存在res/xml/file_paths.xml路径下

<?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.package.name/files/Pictures" />

</paths>

其中path路径是和这个方法返回的是一样的:getExternalFilesDir()+ Environment.DIRECTORY_PICTURES,

将照片添加到图库

1、如果图片保存在这个目录下 getExternalFilesDir(),媒体扫描器不会扫描到图片,因为该图片属于你APP私有的;

2、下面的示例向你展示了如何调用媒体扫描器加你的图片到媒体图库,

private void galleryAddPic() {

    Intent mediaScanIntent = new Intent(Intent.ACTION_MEDIA_SCANNER_SCAN_FILE);

    File f = new File(mCurrentPhotoPath);

    Uri contentUri = Uri.fromFile(f);

    mediaScanIntent.setData(contentUri);

    this.sendBroadcast(mediaScanIntent);

}

 

解码缩放图像(这个处理又称为图片的二次采样)

管理多个全尺寸图像可能会因内存有限而变得棘手,所以需要对图片进行压缩处理,这样会减少内存的消耗,防止内存溢出。

private void setPic() {

    // Get the dimensions of the View

    int targetW = mImageView.getWidth();

    int targetH = mImageView.getHeight();

 

    // Get the dimensions of the bitmap

    BitmapFactory.Options bmOptions = new BitmapFactory.Options();

    bmOptions.inJustDecodeBounds = true;

    BitmapFactory.decodeFile(mCurrentPhotoPath, bmOptions);

    int photoW = bmOptions.outWidth;

    int photoH = bmOptions.outHeight;

 

    // Determine how much to scale down the image

    int scaleFactor = Math.min(photoW/targetW, photoH/targetH);

 

    // Decode the image file into a Bitmap sized to fill the View

    bmOptions.inJustDecodeBounds = false;

    bmOptions.inSampleSize = scaleFactor;

    bmOptions.inPurgeable = true;

 

    Bitmap bitmap = BitmapFactory.decodeFile(mCurrentPhotoPath, bmOptions);

    mImageView.setImageBitmap(bitmap);

}

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值