android 人脸检测_Android人脸检测

android 人脸检测

With the release of Google Play services 7.8, Google has brought in the Mobile Vision API that lets you do
Face Detection, Barcode Detection and Text Detection. In this tutorial, we’ll develop an android face detection application that lets you do detect human faces in an image.

随着Google Play服务7.8的发布,Google引入了Mobile Vision API,可让您
人脸检测,条形码检测和文本检测。 在本教程中,我们将开发一个Android人脸检测应用程序,使您可以检测图像中的人脸。

Android人脸检测 (Android Face Detection)

Android Face detection API tracks face in photos, videos using some landmarks like eyes, nose, ears, cheeks, and mouth.

Android人脸检测API使用眼睛,鼻子,耳朵,脸颊和嘴巴等地标来跟踪照片,视频中的人脸。

Rather than detecting the individual features, the API detects the face at once and then if defined, detects the landmarks and classifications. Besides, the API can detect faces at various angles too.

API不会立即检测到个人特征,而是立即检测到人脸,然后在定义后检测界标和分类。 此外,API还可以检测各种角度的面部。

Android人脸检测–地标 (Android Face Detection – Landmarks)

A landmark is a point of interest within a face. The left eye, right eye, and nose base are all examples of landmarks. Following are the landmarks that are possible to find currently with the API:

地标是人脸内的兴趣点。 左眼,右眼和鼻根都是地标的例子。 以下是该API当前可能找到的地标:

  1. left and right eye

    左右眼
  2. left and right ear

    左右耳
  3. left and right ear tip

    左右耳尖
  4. base of the nose

    鼻根
  5. left and right cheek

    左右脸颊
  6. left and right corner of the mouth

    嘴的左右角
  7. base of the mouth

    口根

When ‘left’ and ‘right’ are used, they are relative to the subject. For example, the LEFT_EYE landmark is the subject’s left eye, not the eye that is on the left when viewing the image.

当使用“左”和“右”时,它们相对于主题。 例如,LEFT_EYE地标是对象的左眼,而不是查看图像时在左眼。

分类 (Classification)

Classification determines whether a certain facial characteristic is present. The Android Face API currently supports two classifications:

分类确定是否存在某种面部特征。 Android Face API当前支持两种分类:

  • eyes open : getIsLeftEyeOpenProbability() and getIsRightEyeOpenProbability() method are used.

    睁开眼睛 :使用getIsLeftEyeOpenProbability()getIsRightEyeOpenProbability()方法。
  • smiling : getIsSmilingProbability() method is used.

    微笑 :使用getIsSmilingProbability()方法。

面对面 (Face Orientation)

The orientation of the face is determined using Euler Angles.
These refer to the rotation angle of the face around the X, Y and Z axes.

使用欧拉角确定脸部的方向。
这些是指面围绕X,Y和Z轴的旋转角度。

  • Euler Y tells us if the face is looking left or right.

    欧拉Y告诉我们该脸是向左看还是向右看。
  • Euler Z tells us if the face is rotated/slated

    欧拉Z告诉我们面部是否旋转/定格
  • Euler X tells us if the face is looking up or down (currently not supported)

    欧拉X告诉我们面部是向上还是向下(当前不支持)
  • Note: If a probability can’t be computed, it’s set to -1.

    注意 :如果无法计算概率,则将其设置为-1。

    Let’s jump into the business end of this tutorial. Our application shall contain a few sample images along with the functionality to capture your own image.
    Note: The API supports face detection only. Face Recognition isn’t available with the current Mobile Vision API.

    让我们跳到本教程的业务结束。 我们的应用程序应包含一些示例图像以及捕获您自己的图像的功能。
    注意 :API仅支持人脸检测。 当前的Mobile Vision API不支持面部识别。

    Android人脸检测示例项目结构 (Android face detection example project structure)

    Android人脸检测代码 (Android face detection code)

    Add the following dependency inside the build.gradle file of your application.

    在应用程序的build.gradle文件中添加以下依赖项。

    compile 'com.google.android.gms:play-services-vision:11.0.4'

    Add the following meta-deta inside the application tag in the AndroidManifest.xml file as shown below.

    如下所示,在AndroidManifest.xml文件的application标记内添加以下meta-deta

    This lets the Vision library know that you plan to detect faces within your application.

    这使Vision库知道您计划检测应用程序中的面部。

    Add the following permissions inside the manifest tag in the AndroidManifest.xml for camera permissions.

    在AndroidManifest.xml的清单标记中添加以下权限以获取相机权限。

    
        

    The code for the activity_main.xml layout file is given below.

    下面给出了activity_main.xml布局文件的代码。

    
    
    
    
        
    
            
    
            

    We’ve defined two ImageViews, TextViews and Buttons. One that would loop through the sample images and display the results. The other is used for capturing an image from the camera.

    我们定义了两个ImageViews ,TextViews和Buttons。 一种将遍历样本图像并显示结果的方法。 另一个用于从相机捕获图像 。

    The code for the MainActivity.java file is given below.

    MainActivity.java文件的代码如下。

    package com.journaldev.facedetectionapi;
    
    import android.Manifest;
    import android.content.Context;
    import android.content.Intent;
    import android.content.pm.PackageManager;
    import android.graphics.Bitmap;
    import android.graphics.BitmapFactory;
    import android.graphics.Canvas;
    import android.graphics.Color;
    import android.graphics.Paint;
    import android.net.Uri;
    import android.os.Environment;
    import android.provider.MediaStore;
    import android.support.annotation.NonNull;
    import android.support.v4.app.ActivityCompat;
    import android.support.v7.app.AppCompatActivity;
    import android.os.Bundle;
    import android.util.SparseArray;
    import android.view.View;
    import android.widget.Button;
    import android.widget.ImageView;
    import android.widget.TextView;
    import android.widget.Toast;
    
    import com.google.android.gms.vision.Frame;
    import com.google.android.gms.vision.face.Face;
    import com.google.android.gms.vision.face.FaceDetector;
    import com.google.android.gms.vision.face.Landmark;
    
    import java.io.File;
    import java.io.FileNotFoundException;
    
    public class MainActivity extends AppCompatActivity implements View.OnClickListener {
    
        ImageView imageView, imgTakePicture;
        Button btnProcessNext, btnTakePicture;
        TextView txtSampleDesc, txtTakenPicDesc;
        private FaceDetector detector;
        Bitmap editedBitmap;
        int currentIndex = 0;
        int[] imageArray;
        private Uri imageUri;
        private static final int REQUEST_WRITE_PERMISSION = 200;
        private static final int CAMERA_REQUEST = 101;
    
        private static final String SAVED_INSTANCE_URI = "uri";
        private static final String SAVED_INSTANCE_BITMAP = "bitmap";
    
        @Override
        protected void onCreate(Bundle savedInstanceState) {
            super.onCreate(savedInstanceState);
            setContentView(R.layout.activity_main);
    
            imageArray = new int[]{R.drawable.sample_1, R.drawable.sample_2, R.drawable.sample_3};
            detector = new FaceDetector.Builder(getApplicationContext())
                    .setTrackingEnabled(false)
                    .setLandmarkType(FaceDetector.ALL_CLASSIFICATIONS)
                    .setClassificationType(FaceDetector.ALL_CLASSIFICATIONS)
                    .build();
    
            initViews();
    
        }
    
        private void initViews() {
            imageView = (ImageView) findViewById(R.id.imageView);
            imgTakePicture = (ImageView) findViewById(R.id.imgTakePic);
            btnProcessNext = (Button) findViewById(R.id.btnProcessNext);
            btnTakePicture = (Button) findViewById(R.id.btnTakePicture);
            txtSampleDesc = (TextView) findViewById(R.id.txtSampleDescription);
            txtTakenPicDesc = (TextView) findViewById(R.id.txtTakePicture);
    
            processImage(imageArray[currentIndex]);
            currentIndex++;
    
            btnProcessNext.setOnClickListener(this);
            btnTakePicture.setOnClickListener(this);
            imgTakePicture.setOnClickListener(this);
        }
    
        @Override
        public void onClick(View v) {
            switch (v.getId()) {
                case R.id.btnProcessNext:
                    imageView.setImageResource(imageArray[currentIndex]);
                    processImage(imageArray[currentIndex]);
                    if (currentIndex == imageArray.length - 1)
                        currentIndex = 0;
                    else
                        currentIndex++;
    
                    break;
    
                case R.id.btnTakePicture:
                    ActivityCompat.requestPermissions(MainActivity.this, new
                            String[]{Manifest.permission.WRITE_EXTERNAL_STORAGE}, REQUEST_WRITE_PERMISSION);
                    break;
    
                case R.id.imgTakePic:
                    ActivityCompat.requestPermissions(MainActivity.this, new
                            String[]{Manifest.permission.WRITE_EXTERNAL_STORAGE}, REQUEST_WRITE_PERMISSION);
                    break;
            }
        }
    
        @Override
        public void onRequestPermissionsResult(int requestCode, @NonNull String[] permissions, @NonNull int[] grantResults) {
            super.onRequestPermissionsResult(requestCode, permissions, grantResults);
            switch (requestCode) {
                case REQUEST_WRITE_PERMISSION:
                    if (grantResults.length > 0 && grantResults[0] == PackageManager.PERMISSION_GRANTED) {
                        startCamera();
                    } else {
                        Toast.makeText(getApplicationContext(), "Permission Denied!", Toast.LENGTH_SHORT).show();
                    }
            }
        }
    
        @Override
        protected void onActivityResult(int requestCode, int resultCode, Intent data) {
            if (requestCode == CAMERA_REQUEST && resultCode == RESULT_OK) {
                launchMediaScanIntent();
                try {
                    processCameraPicture();
                } catch (Exception e) {
                    Toast.makeText(getApplicationContext(), "Failed to load Image", Toast.LENGTH_SHORT).show();
                }
            }
        }
    
        private void launchMediaScanIntent() {
            Intent mediaScanIntent = new Intent(Intent.ACTION_MEDIA_SCANNER_SCAN_FILE);
            mediaScanIntent.setData(imageUri);
            this.sendBroadcast(mediaScanIntent);
        }
    
        private void startCamera() {
            Intent intent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
            File photo = new File(Environment.getExternalStorageDirectory(), "photo.jpg");
            imageUri = Uri.fromFile(photo);
            intent.putExtra(MediaStore.EXTRA_OUTPUT, imageUri);
            startActivityForResult(intent, CAMERA_REQUEST);
        }
    
        @Override
        protected void onSaveInstanceState(Bundle outState) {
            if (imageUri != null) {
                outState.putParcelable(SAVED_INSTANCE_BITMAP, editedBitmap);
                outState.putString(SAVED_INSTANCE_URI, imageUri.toString());
            }
            super.onSaveInstanceState(outState);
        }
    
    
        private void processImage(int image) {
    
            Bitmap bitmap = decodeBitmapImage(image);
            if (detector.isOperational() && bitmap != null) {
                editedBitmap = Bitmap.createBitmap(bitmap.getWidth(), bitmap
                        .getHeight(), bitmap.getConfig());
                float scale = getResources().getDisplayMetrics().density;
                Paint paint = new Paint(Paint.ANTI_ALIAS_FLAG);
                paint.setColor(Color.GREEN);
                paint.setTextSize((int) (16 * scale));
                paint.setShadowLayer(1f, 0f, 1f, Color.WHITE);
                paint.setStyle(Paint.Style.STROKE);
                paint.setStrokeWidth(6f);
                Canvas canvas = new Canvas(editedBitmap);
                canvas.drawBitmap(bitmap, 0, 0, paint);
                Frame frame = new Frame.Builder().setBitmap(editedBitmap).build();
                SparseArray faces = detector.detect(frame);
                txtSampleDesc.setText(null);
    
                for (int index = 0; index < faces.size(); ++index) {
                    Face face = faces.valueAt(index);
                    canvas.drawRect(
                            face.getPosition().x,
                            face.getPosition().y,
                            face.getPosition().x + face.getWidth(),
                            face.getPosition().y + face.getHeight(), paint);
    
    
                    canvas.drawText("Face " + (index + 1), face.getPosition().x + face.getWidth(), face.getPosition().y + face.getHeight(), paint);
    
                    txtSampleDesc.setText(txtSampleDesc.getText() + "FACE " + (index + 1) + "\n");
                    txtSampleDesc.setText(txtSampleDesc.getText() + "Smile probability:" + " " + face.getIsSmilingProbability() + "\n");
                    txtSampleDesc.setText(txtSampleDesc.getText() + "Left Eye Is Open Probability: " + " " + face.getIsLeftEyeOpenProbability() + "\n");
                    txtSampleDesc.setText(txtSampleDesc.getText() + "Right Eye Is Open Probability: " + " " + face.getIsRightEyeOpenProbability() + "\n\n");
    
                    for (Landmark landmark : face.getLandmarks()) {
                        int cx = (int) (landmark.getPosition().x);
                        int cy = (int) (landmark.getPosition().y);
                        canvas.drawCircle(cx, cy, 8, paint);
                    }
    
    
                }
    
                if (faces.size() == 0) {
                    txtSampleDesc.setText("Scan Failed: Found nothing to scan");
                } else {
                    imageView.setImageBitmap(editedBitmap);
                    txtSampleDesc.setText(txtSampleDesc.getText() + "No of Faces Detected: " + " " + String.valueOf(faces.size()));
                }
            } else {
                txtSampleDesc.setText("Could not set up the detector!");
            }
        }
    
        private Bitmap decodeBitmapImage(int image) {
            int targetW = 300;
            int targetH = 300;
            BitmapFactory.Options bmOptions = new BitmapFactory.Options();
            bmOptions.inJustDecodeBounds = true;
    
            BitmapFactory.decodeResource(getResources(), image,
                    bmOptions);
    
            int photoW = bmOptions.outWidth;
            int photoH = bmOptions.outHeight;
    
            int scaleFactor = Math.min(photoW / targetW, photoH / targetH);
            bmOptions.inJustDecodeBounds = false;
            bmOptions.inSampleSize = scaleFactor;
    
            return BitmapFactory.decodeResource(getResources(), image,
                    bmOptions);
        }
    
        private void processCameraPicture() throws Exception {
            Bitmap bitmap = decodeBitmapUri(this, imageUri);
            if (detector.isOperational() && bitmap != null) {
                editedBitmap = Bitmap.createBitmap(bitmap.getWidth(), bitmap
                        .getHeight(), bitmap.getConfig());
                float scale = getResources().getDisplayMetrics().density;
                Paint paint = new Paint(Paint.ANTI_ALIAS_FLAG);
                paint.setColor(Color.GREEN);
                paint.setTextSize((int) (16 * scale));
                paint.setShadowLayer(1f, 0f, 1f, Color.WHITE);
                paint.setStyle(Paint.Style.STROKE);
                paint.setStrokeWidth(6f);
                Canvas canvas = new Canvas(editedBitmap);
                canvas.drawBitmap(bitmap, 0, 0, paint);
                Frame frame = new Frame.Builder().setBitmap(editedBitmap).build();
                SparseArray faces = detector.detect(frame);
                txtTakenPicDesc.setText(null);
    
                for (int index = 0; index < faces.size(); ++index) {
                    Face face = faces.valueAt(index);
                    canvas.drawRect(
                            face.getPosition().x,
                            face.getPosition().y,
                            face.getPosition().x + face.getWidth(),
                            face.getPosition().y + face.getHeight(), paint);
    
    
                    canvas.drawText("Face " + (index + 1), face.getPosition().x + face.getWidth(), face.getPosition().y + face.getHeight(), paint);
    
                    txtTakenPicDesc.setText("FACE " + (index + 1) + "\n");
                    txtTakenPicDesc.setText(txtTakenPicDesc.getText() + "Smile probability:" + " " + face.getIsSmilingProbability() + "\n");
                    txtTakenPicDesc.setText(txtTakenPicDesc.getText() + "Left Eye Is Open Probability: " + " " + face.getIsLeftEyeOpenProbability() + "\n");
                    txtTakenPicDesc.setText(txtTakenPicDesc.getText() + "Right Eye Is Open Probability: " + " " + face.getIsRightEyeOpenProbability() + "\n\n");
    
                    for (Landmark landmark : face.getLandmarks()) {
                        int cx = (int) (landmark.getPosition().x);
                        int cy = (int) (landmark.getPosition().y);
                        canvas.drawCircle(cx, cy, 8, paint);
                    }
    
    
                }
    
                if (faces.size() == 0) {
                    txtTakenPicDesc.setText("Scan Failed: Found nothing to scan");
                } else {
                    imgTakePicture.setImageBitmap(editedBitmap);
                    txtTakenPicDesc.setText(txtTakenPicDesc.getText() + "No of Faces Detected: " + " " + String.valueOf(faces.size()));
                }
            } else {
                txtTakenPicDesc.setText("Could not set up the detector!");
            }
        }
    
        private Bitmap decodeBitmapUri(Context ctx, Uri uri) throws FileNotFoundException {
            int targetW = 300;
            int targetH = 300;
            BitmapFactory.Options bmOptions = new BitmapFactory.Options();
            bmOptions.inJustDecodeBounds = true;
            BitmapFactory.decodeStream(ctx.getContentResolver().openInputStream(uri), null, bmOptions);
            int photoW = bmOptions.outWidth;
            int photoH = bmOptions.outHeight;
    
            int scaleFactor = Math.min(photoW / targetW, photoH / targetH);
            bmOptions.inJustDecodeBounds = false;
            bmOptions.inSampleSize = scaleFactor;
    
            return BitmapFactory.decodeStream(ctx.getContentResolver()
                    .openInputStream(uri), null, bmOptions);
        }
    
    
        @Override
        protected void onDestroy() {
            super.onDestroy();
            detector.release();
        }
    }

    Few inferences drawn from the above code are:

    从以上代码得出的推论很少是:

    • imageArray holds the sample images that’ll be scanned for faces when the “PROCESS NEXT” button is clicked.

      imageArray包含单击“ PROCESS NEXT”按钮将要扫描的样本图像。
    • The detector is instantiated with the below code snippet:
      FaceDetector detector = new FaceDetector.Builder( getContext() )
              .setTrackingEnabled(false)
              .setLandmarkType(FaceDetector.ALL_LANDMARKS)
              .setMode(FaceDetector.FAST_MODE)
              .build();

      Landmarks add up to the computation time, hence they need to be explicitly set.
      Face Detector can be set to FAST_MODE or ACCURATE_MODE as per our requirements.
      We’ve set tracking to false in the above code since we’re dealing with still images. It can be set to true for detecting faces in a video.

      地标加起来需要计算时间,因此需要明确设置。
      可以根据我们的要求将面部检测器设置为FAST_MODEACCURATE_MODE
      由于我们要处理静止图像,因此在上面的代码中将跟踪设置为false。 可以将其设置为true以检测视频中的面部。

    • processImage() and processCameraPicture() methods contain the code where we actually detect the faces and draw a rectangle over them

      processImage()processCameraPicture()方法包含代码,在这些代码中我们实际检测到人脸并在其上绘制一个矩形
    • detector.isOperational() is used to check whether the current Google Play Services library in your phone supports the vision API(If it doesn’t Google Play downloads the required native libraries to allow support).

      detector.isOperational()用于检查手机中当前的Google Play服务库是否支持视觉API(如果不支持,则Google Play将下载所需的本机库以提供支持)。
    • The code snippet that actually does the work of face detection is :
      Frame frame = new Frame.Builder().setBitmap(editedBitmap).build();
                  SparseArray faces = detector.detect(frame);

      实际进行人脸检测的代码段为:
    • Once detected, we loop through the faces array to find the position and attributes of each face.

      一旦检测到,我们就会循环访问faces数组以查找每个面Kong的位置和属性。
    • The attributes for each face are appended in the TextView beneath the button.

      每个面Kong的属性都附加在按钮下方的TextView中。
    • This works the same when an image is captured by camera except the fact that we need to ask for the camera permissions at runtime and save the uri, bitmap returned by the camera application.

      当相机捕获图像时,此功能相同,除了我们需要在运行时要求相机权限并保存uri,由相机应用程序返回的位图这一事实。

    The output of the above application in action is given below.

    下面给出了上面应用程序的输出。

    Try capturing the photo of a dog and you’ll see that the Vision API doesn’t detect its face (The API detects human faces only).

    尝试捕获狗的照片,您会发现Vision API不会检测到它的脸(该API仅检测人脸)。

    This brings an end to this tutorial. You can download the final Android Face Detection API Project from the link below.

    本教程到此结束。 您可以从下面的链接下载最终的Android人脸检测API项目

    Download Android Face Detection Project 下载Android人脸检测项目

    Reference: Official Documentation

    参考: 官方文档

    翻译自: https://www.journaldev.com/15629/android-face-detection

    android 人脸检测

你可能感兴趣的:(android,人脸识别,java,google,canvas)