Android相机教程
相机 主要用于拍摄照片和视频。我们可以通过使用相机 API 的方法来控制相机。
Android提供了两种使用相机的方式:
- 通过相机意图
- 通过相机 API
理解相机意图和API的基本类
主要有四个类我们将讨论。
意图
通过 MediaStore 类的2个常量的帮助下,我们可以在不使用相机类的实例的情况下拍摄照片和视频。
- ACTION_IMAGE_CAPTURE
- ACTION_VIDEO_CAPTURE
相机
这是相机 API 的主要类,可用于拍摄照片和视频。
SurfaceView
它表示相机的表面视图或实时预览。
MediaRecorder
它用于使用相机录制视频。正如我们在媒体框架的先前示例中看到的那样,它也可以用于录制音频文件。
Android相机应用程序通过相机意图的示例
在这个示例中,我们编写了简单的代码,使用相机捕捉图像,并使用imageview显示图像。
activity_main.xml
从面板中拖动一个imageview和一个button,现在xml文件将如下所示:
<RelativeLayout xmlns:androclass="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
tools:context=".MainActivity" >
<Button
android:id="@+id/button1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_alignParentBottom="true"
android:layout_centerHorizontal="true"
android:text="Take a Photo" >
</Button>
<ImageView
android:id="@+id/imageView1"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:layout_above="@+id/button1"
android:layout_alignParentTop="true"
android:src="@drawable/ic_launcher" >
</ImageView>
</RelativeLayout>
Activity类
让我们编写代码,使用摄像头捕获图像并在图像视图上显示它。
package com.example.simplecamera;
import android.app.Activity;
import android.content.Intent;
import android.graphics.Bitmap;
import android.os.Bundle;
import android.view.Menu;
import android.view.View;
import android.widget.Button;
import android.widget.ImageView;
public class MainActivity extends Activity {
private static final int CAMERA_REQUEST = 1888;
ImageView imageView;
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
imageView = (ImageView) this.findViewById(R.id.imageView1);
Button photoButton = (Button) this.findViewById(R.id.button1);
photoButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
Intent cameraIntent = new Intent(android.provider.MediaStore.ACTION_IMAGE_CAPTURE);
startActivityForResult(cameraIntent, CAMERA_REQUEST);
}
});
}
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
if (requestCode == CAMERA_REQUEST) {
Bitmap photo = (Bitmap) data.getExtras().get("data");
imageView.setImageBitmap(photo);
}
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
// Inflate the menu; this adds items to the action bar if it is present.
getMenuInflater().inflate(R.menu.activity_main, menu);
return true;
}
}