首页 > 其他分享 >Android 人脸识别 MTCNN Kotlin实现

Android 人脸识别 MTCNN Kotlin实现

时间:2023-07-28 10:33:33浏览次数:42  
标签:box 人脸识别 val Kotlin bitmap boxes fun Android rect


前言

看见网上有一个 MTCNN 的Java 实现,闲来无事,把Java 实现用Koltin 重写了一下,主要是针对使用MTCNN来识别人脸。
不想罗嗦看的,可以直接去我的github上下载已经写好的demo。

https://github.com/ChineseLincoln/AndroidFaceNet


文章目录

  • 前言
  • 人脸识别
  • tensorflow
  • Android 依赖配置
  • MTCNN kotlin


人脸识别

关于MTCNN 的算法说明有很多,百度一下就出来了,没有必要再花大把时间去描述这个算法。MTCNN 在人脸识别算法中,算是对Android 比较友好的。dlib 需要大量的 C++代码,opencv更是如此。

引用以为大神的博客,有兴趣看算法的同学们可以去看一下。
当然 大神用的是 python 实现了一个

tensorflow

首先要感谢Google 能够提供一个在android 上使用的 机器学习框架,这样才能将后端的机器学习所产生的模型,应用在Android层面。
要使用MTCNN 首先要知道的一点,MTCNN 训练出来的模型,可以转存成PB文件供tensorflow加载使用。
pb文件大约20多M,文件在我的Github demo项目中有,大家可以clone 之后 获取到项目中使用的MTCNN pb 模型文件。

https://github.com/ChineseLincoln/AndroidFaceNet/blob/master/mtcnn/src/main/assets/mtcnn_freezed_model.pb

Android 依赖配置

既然要使用Android 中的tensorflow ,那肯定是要配置依赖的,不然怎么用?
依赖配置如下

implementation 'org.tensorflow:tensorflow-android:1.13.1'

MTCNN kotlin

直接上代码 不罗嗦
MTCNN.kt

class MTCNN(assetManager: AssetManager){
    private val factor = 0.709f
    private val pNetThreshold = 0.6f
    private val rNetThreshold = 0.7f
    private val outputNetThreshold = 0.7f
    //MODEL PATH
    private val modelFile = "mtcnn_freezed_model.pb"
    //tensor name
    private val pNetInName = "pnet/input:0"
    private val pNetOutName = arrayOf("pnet/prob1:0", "pnet/conv4-2/BiasAdd:0")
    private val rNetInName = "rnet/input:0"
    private val rNetOutName = arrayOf("rnet/prob1:0", "rnet/conv5-2/conv5-2:0")
    private val outputNetInName = "onet/input:0"
    private val outputNetOutName = arrayOf("onet/prob1:0", "onet/conv6-2/conv6-2:0", "onet/conv6-3/conv6-3:0")

    var lastProcessTime: Long = 0   //最后一张图片处理的时间ms
    private var inferenceInterface: TensorFlowInferenceInterface = TensorFlowInferenceInterface(assetManager, modelFile)

    private val TAG = "MTCNN"


    //读取Bitmap像素值,预处理(-127.5 /128),转化为一维数组返回
    private fun normalizeImage(bitmap: Bitmap): FloatArray {
        val w = bitmap.width
        val h = bitmap.height
        val floatValues = FloatArray(w * h * 3)
        val intValues = IntArray(w * h)
        bitmap.getPixels(intValues, 0, bitmap.width, 0, 0, bitmap.width, bitmap.height)
        val imageMean = 127.5f
        val imageStd = 128f

        for (i in intValues.indices) {
            val `val` = intValues[i]
            floatValues[i * 3 + 0] = ((`val` shr 16 and 0xFF) - imageMean) / imageStd
            floatValues[i * 3 + 1] = ((`val` shr 8 and 0xFF) - imageMean) / imageStd
            floatValues[i * 3 + 2] = ((`val` and 0xFF) - imageMean) / imageStd
        }
        return floatValues
    }

    /*
       检测人脸,minSize是最小的人脸像素值
     */
    private fun bitmapResize(bm: Bitmap, scale: Float): Bitmap {
        val width = bm.width
        val height = bm.height
        // CREATE A MATRIX FOR THE MANIPULATION。matrix指定图片仿射变换参数
        val matrix = Matrix()
        // RESIZE THE BIT MAP
        matrix.postScale(scale, scale)
        return Bitmap.createBitmap(
            bm, 0, 0, width, height, matrix, true
        )
    }

    //输入前要翻转,输出也要翻转
    private fun proposalNetForward(
        bitmap: Bitmap,
        pNetOutProb: Array<FloatArray>,
        pNetOutBias: Array<Array<FloatArray>>
    ): Int {
        val w = bitmap.width
        val h = bitmap.height

        val pNetIn = normalizeImage(bitmap)
        PicUtils.flipDiag(pNetIn, h, w, 3) //沿着对角线翻转
        inferenceInterface.feed(pNetInName, pNetIn, 1, w.toLong(), h.toLong(), 3)
        inferenceInterface.run(pNetOutName, false)
        val pNetOutSizeW = Math.ceil(w * 0.5 - 5).toInt()
        val pNetOutSizeH = Math.ceil(h * 0.5 - 5).toInt()
        val pNetOutP = FloatArray(pNetOutSizeW * pNetOutSizeH * 2)
        val pNetOutB = FloatArray(pNetOutSizeW * pNetOutSizeH * 4)
        inferenceInterface.fetch(pNetOutName[0], pNetOutP)
        inferenceInterface.fetch(pNetOutName[1], pNetOutB)
        //【写法一】先翻转,后转为2/3维数组
        PicUtils.flipDiag(pNetOutP, pNetOutSizeW, pNetOutSizeH, 2)
        PicUtils.flipDiag(pNetOutB, pNetOutSizeW, pNetOutSizeH, 4)
        PicUtils.expand(pNetOutB, pNetOutBias)
        PicUtils.expandProb(pNetOutP, pNetOutProb)
        /*
        *【写法二】这个比较快,快了3ms。意义不大,用上面的方法比较直观
        for (int y=0;y<pNetOutSizeH;y++)
            for (int x=0;x<pNetOutSizeW;x++){
               int idx=pNetOutSizeH*x+y;
               pNetOutProb[y][x]=pNetOutP[idx*2+1];
               for(int i=0;i<4;i++)
                   pNetOutBias[y][x][i]=pNetOutB[idx*4+i];
            }
        */
        return 0
    }

    //Non-Maximum Suppression
    //nms,不符合条件的deleted设置为true
    private fun nms(boxes: Vector<Box>, threshold: Float, method: String) {
        //NMS.两两比对
        //int delete_cnt=0;
        val cnt = 0
        for (i in 0 until boxes.size) {
            val box = boxes[i]
            if (!box.deleted) {
                //score<0表示当前矩形框被删除
                for (j in i + 1 until boxes.size) {
                    val box2 = boxes.get(j)
                    if (!box2.deleted) {
                        val x1 = max(box.box[0], box2.box[0])
                        val y1 = max(box.box[1], box2.box[1])
                        val x2 = min(box.box[2], box2.box[2])
                        val y2 = min(box.box[3], box2.box[3])
                        if (x2 < x1 || y2 < y1) continue
                        val areaIoU = (x2 - x1 + 1) * (y2 - y1 + 1)
                        var iou = 0f
                        if (method == "Union")
                            iou = 1.0f * areaIoU / (box.area() + box2.area() - areaIoU)
                        else if (method == "Min") {
                            iou = 1.0f * areaIoU / min(box.area(), box2.area())
                            Log.i(TAG, "[*]iou=$iou")
                        }
                        if (iou >= threshold) { //删除prob小的那个框
                            if (box.score > box2.score)
                                box2.deleted = true
                            else
                                box.deleted = true
                            //delete_cnt++;
                        }
                    }
                }
            }
        }
        //Log.i(TAG,"[*]sum:"+boxes.size+" delete:"+delete_cnt);
    }

    private fun generateBoxes(
        prob: Array<FloatArray>,
        bias: Array<Array<FloatArray>>,
        scale: Float,
        threshold: Float,
        boxes: Vector<Box>
    ): Int {
        val h = prob.size
        val w = prob[0].size
        //Log.i(TAG,"[*]height:"+prob.length+" width:"+prob[0].length);
        for (y in 0 until h)
            for (x in 0 until w) {
                val score = prob[y][x]
                //only accept prob >threadshold(0.6 here)
                if (score > threshold) {
                    val box = Box()
                    //score
                    box.score = score
                    //box
                    box.box[0] = Math.round(x * 2 / scale)
                    box.box[1] = Math.round(y * 2 / scale)
                    box.box[2] = Math.round((x * 2 + 11) / scale)
                    box.box[3] = Math.round((y * 2 + 11) / scale)
                    //bbr
                    for (i in 0..3)
                        box.bbr[i] = bias[y][x][i]
                    //add
                    boxes.addElement(box)
                }
            }
        return 0
    }

    private fun boundingBoxRegression(boxes: Vector<Box>) {
        for (i in 0 until boxes.size)
            boxes[i].calibrate()
    }

    //Pnet + Bounding Box Regression + Non-Maximum Regression
    /* NMS执行完后,才执行Regression
     * (1) For each scale , use NMS with threshold=0.5
     * (2) For all candidates , use NMS with threshold=0.7
     * (3) Calibrate Bounding Box
     * 注意:CNN输入图片最上面一行,坐标为[0..width,0]。所以Bitmap需要对折后再跑网络;网络输出同理.
     */
    private fun proposalNet(bitmap: Bitmap, minSize: Int): Vector<Box> {
        val whMin = min(bitmap.width, bitmap.height)
        var currentFaceSize = minSize.toFloat()  //currentFaceSize=minSize/(factor^k) k=0,1,2... until excced whMin
        val totalBoxes = Vector<Box>()
        //【1】Image Paramid and Feed to Pnet
        while (currentFaceSize <= whMin) {
            val scale = 12.0f / currentFaceSize
            //(1)Image Resize
            val bm = bitmapResize(bitmap, scale)
            val w = bm.width
            val h = bm.height
            //(2)RUN CNN
            val pNetOutSizeW = (Math.ceil(w * 0.5 - 5) + 0.5).toInt()
            val pNetOutSizeH = (Math.ceil(h * 0.5 - 5) + 0.5).toInt()
            val pNetOutProb = Array(pNetOutSizeH) { FloatArray(pNetOutSizeW) }
            val pNetOutBias = Array(pNetOutSizeH) { Array(pNetOutSizeW) { FloatArray(4) } }
            proposalNetForward(bm, pNetOutProb, pNetOutBias)
            //(3)数据解析
            val curBoxes = Vector<Box>()
            generateBoxes(pNetOutProb, pNetOutBias, scale, pNetThreshold, curBoxes)
            //Log.i(TAG,"[*]CNN Output Box number:"+curBoxes.size+" Scale:"+scale);
            //(4)nms 0.5
            nms(curBoxes, 0.5f, "Union")
            //(5)add to totalBoxes
            for (i in 0 until curBoxes.size)
                if (!curBoxes[i].deleted)
                    totalBoxes.addElement(curBoxes[i])
            //Face Size等比递增
            currentFaceSize /= factor
        }
        //NMS 0.7
        nms(totalBoxes, 0.7f, "Union")
        //BBR
        boundingBoxRegression(totalBoxes)
        return PicUtils.updateBoxes(totalBoxes)
    }

    //截取box中指定的矩形框(越界要处理),并resize到size*size大小,返回数据存放到data中。
    var tmp_bm: Bitmap? = null

    private fun cropAndResize(bitmap: Bitmap, box: Box, size: Int, data: FloatArray) {
        //(2)crop and resize
        val matrix = Matrix()
        val scale = 1.0f * size / box.width()
        matrix.postScale(scale, scale)
        val croped = Bitmap.createBitmap(bitmap, box.left(), box.top(), box.width(), box.height(), matrix, true)
        //(3)save
        val pixelsBuf = IntArray(size * size)
        croped.getPixels(pixelsBuf, 0, croped.width, 0, 0, croped.width, croped.height)
        val imageMean = 127.5f
        val imageStd = 128f
        for (i in pixelsBuf.indices) {
            val `val` = pixelsBuf[i]
            data[i * 3 + 0] = ((`val` shr 16 and 0xFF) - imageMean) / imageStd
            data[i * 3 + 1] = ((`val` shr 8 and 0xFF) - imageMean) / imageStd
            data[i * 3 + 2] = ((`val` and 0xFF) - imageMean) / imageStd
        }
    }

    /*
     * RNET跑神经网络,将score和bias写入boxes
     */
    private fun refineNetForward(RNetIn: FloatArray, boxes: Vector<Box>) {
        val num = RNetIn.size / 24 / 24 / 3
        //feed & run
        inferenceInterface.feed(rNetInName, RNetIn, num.toLong(), 24, 24, 3)
        inferenceInterface.run(rNetOutName, false)
        //fetch
        val rNetP = FloatArray(num * 2)
        val rNetB = FloatArray(num * 4)
        inferenceInterface.fetch(rNetOutName[0], rNetP)
        inferenceInterface.fetch(rNetOutName[1], rNetB)
        //转换
        for (i in 0 until num) {
            boxes[i].score = rNetP[i * 2 + 1]
            for (j in 0..3)
                boxes[i].bbr[j] = rNetB[i * 4 + j]
        }
    }

    //Refine Net
    private fun refineNet(bitmap: Bitmap, boxes: Vector<Box>): Vector<Box> {
        //refineNet Input Init
        val num = boxes.size
        val rNetIn = FloatArray(num * 24 * 24 * 3)
        val curCrop = FloatArray(24 * 24 * 3)
        var rNetInIdx = 0
        for (i in 0 until num) {
            cropAndResize(bitmap, boxes.get(i), 24, curCrop)
            PicUtils.flipDiag(curCrop, 24, 24, 3)
            //Log.i(TAG,"[*]Pixels values:"+curCrop[0]+" "+curCrop[1]);
            for (j in curCrop.indices) rNetIn[rNetInIdx++] = curCrop[j]
        }
        //Run refineNet
        refineNetForward(rNetIn, boxes)
        //RNetThreshold
        for (i in 0 until num)
            if (boxes[i].score < rNetThreshold)
                boxes[i].deleted = true
        //Nms
        nms(boxes, 0.7f, "Union")
        boundingBoxRegression(boxes)
        return PicUtils.updateBoxes(boxes)
    }

    /*
     * outputNet跑神经网络,将score和bias写入boxes
     */
    private fun outputNetForward(outputNetIn: FloatArray, boxes: Vector<Box>) {
        val num = outputNetIn.size / 48 / 48 / 3
        //feed & run
        inferenceInterface.feed(outputNetInName, outputNetIn, num.toLong(), 48, 48, 3)
        inferenceInterface.run(outputNetOutName, false)
        //fetch
        val outputNetP = FloatArray(num * 2) //prob
        val outputNetB = FloatArray(num * 4) //bias
        val outputNetL = FloatArray(num * 10) //landmark
        inferenceInterface.fetch(outputNetOutName[0], outputNetP)
        inferenceInterface.fetch(outputNetOutName[1], outputNetB)
        inferenceInterface.fetch(outputNetOutName[2], outputNetL)
        //转换
        for (i in 0 until num) {
            //prob
            boxes[i].score = outputNetP[i * 2 + 1]
            //bias
            for (j in 0..3)
                boxes[i].bbr[j] = outputNetB[i * 4 + j]

            //landmark
            for (j in 0..4) {
                val x = boxes[i].left() + (outputNetL[i * 10 + j] * boxes[i].width()).toInt()
                val y = boxes[i].top() + (outputNetL[i * 10 + j + 5] * boxes[i].height()).toInt()
                boxes[i].landmark[j] = Point(x, y)
            }
        }
    }

    //outputNet
    private fun outputNet(bitmap: Bitmap, boxes: Vector<Box>): Vector<Box> {
        //outputNet Input Init
        val num = boxes.size
        val outputNetIn = FloatArray(num * 48 * 48 * 3)
        val curCrop = FloatArray(48 * 48 * 3)
        var outputNetInIdx = 0
        for (i in 0 until num) {
            cropAndResize(bitmap, boxes[i], 48, curCrop)
            PicUtils.flipDiag(curCrop, 48, 48, 3)
            for (j in curCrop.indices) outputNetIn[outputNetInIdx++] = curCrop[j]
        }
        //Run outputNet
        outputNetForward(outputNetIn, boxes)
        //outputNetThreshold
        for (i in 0 until num)
            if (boxes[i].score < outputNetThreshold)
                boxes[i].deleted = true
        boundingBoxRegression(boxes)
        //Nms
        nms(boxes, 0.7f, "Min")
        return PicUtils.updateBoxes(boxes)
    }

    private fun squareLimit(boxes: Vector<Box>, w: Int, h: Int) {
        //square
        for (i in 0 until boxes.size) {
            boxes[i].toSquareShape()
            boxes[i].limitSquare(w, h)
        }
    }

    /*
     * 参数:
     *   bitmap:要处理的图片
     *   minFaceSize:最小的人脸像素值.(此值越大,检测越快)
     * 返回:
     *   人脸框
     */
    fun detectFaces(bitmap: Bitmap, minFaceSize: Int): Vector<Box> {
        val tStart = System.currentTimeMillis()
        //【1】proposalNet generate candidate boxes
        var boxes = proposalNet(bitmap, minFaceSize)
        squareLimit(boxes, bitmap.width, bitmap.height)
        //【2】refineNet
        boxes = refineNet(bitmap, boxes)
        squareLimit(boxes, bitmap.width, bitmap.height)
        //【3】outputNet
        boxes = outputNet(bitmap, boxes)
        //return
        lastProcessTime = System.currentTimeMillis() - tStart
        Log.i(TAG, "[*]Mtcnn Detection Time:$lastProcessTime")
        return boxes
    }

    fun cutFace(bitmap: Bitmap? , boxes: Vector<Box>): List<Bitmap> {
        if(bitmap == null){
            throw IllegalArgumentException("no images!")
        }
        val findFaceBitmap = PicUtils.copyBitmap(bitmap)
        val faces = mutableListOf<Bitmap>()
        boxes.forEach{
            PicUtils.drawRect(findFaceBitmap, it.transform2Rect())
            PicUtils.drawPoints(findFaceBitmap, it.landmark)
            PicUtils.rectExtend(findFaceBitmap , it.transform2Rect() , 20)
            faces.add(Bitmap.createScaledBitmap(PicUtils.crop(findFaceBitmap , boxes[0].transform2Rect()),160,160,true))
        }
        return faces
    }
}

PicUtils.kt

object PicUtils {
    //复制图片,并设置isMutable=true
    fun copyBitmap(bitmap: Bitmap): Bitmap {
        return bitmap.copy(bitmap.config, true)
    }

    //在bitmap中画矩形
    fun drawRect(bitmap: Bitmap, rect: Rect) {
        try {
            val canvas = Canvas(bitmap)
            val paint = Paint()
            val r = 255//(int)(Math.random()*255);
            val g = 0//(int)(Math.random()*255);
            val b = 0//(int)(Math.random()*255);
            paint.color = Color.rgb(r, g, b)
            paint.strokeWidth = (1 + bitmap.width / 500).toFloat()
            paint.style = Paint.Style.STROKE
            canvas.drawRect(rect, paint)
        } catch (e: Exception) {
            Log.i("Utils", "[*] error$e")
        }

    }

    //在图中画点
    fun drawPoints(bitmap: Bitmap, landmark: Array<Point?>) {
        for (i in landmark.indices) {
            val x = landmark[i]?.x?:0
            val y = landmark[i]?.y?:0
            //Log.i("Utils","[*] landmarkd "+x+ "  "+y);
            drawRect(bitmap, Rect(x - 1, y - 1, x + 1, y + 1))
        }
    }

    //Flip alone diagonal
    //对角线翻转。data大小原先为h*w*stride,翻转后变成w*h*stride
    fun flipDiag(data: FloatArray, h: Int, w: Int, stride: Int) {
        val tmp = FloatArray(w * h * stride)
        for (i in 0 until w * h * stride) tmp[i] = data[i]
        for (y in 0 until h)
            for (x in 0 until w) {
                for (z in 0 until stride)
                    data[(x * h + y) * stride + z] = tmp[(y * w + x) * stride + z]
            }
    }

    //src转为二维存放到dst中
    fun expand(src: FloatArray, dst: Array<FloatArray>) {
        var idx = 0
        for (y in dst.indices)
            for (x in 0 until dst[0].size)
                dst[y][x] = src[idx++]
    }

    //src转为三维存放到dst中
    fun expand(src: FloatArray, dst: Array<Array<FloatArray>>) {
        var idx = 0
        for (y in dst.indices)
            for (x in 0 until dst[0].size)
                for (c in 0 until dst[0][0].size)
                    dst[y][x][c] = src[idx++]

    }

    //dst=src[:,:,1]
    fun expandProb(src: FloatArray, dst: Array<FloatArray>) {
        var idx = 0
        for (y in dst.indices)
            for (x in 0 until dst[0].size)
                dst[y][x] = src[idx++ * 2 + 1]
    }

    //box转化为rect
    fun boxes2rects(boxes: Vector<Box>): Array<Rect?> {
        var cnt = 0
        for (i in 0 until boxes.size) if (!boxes.get(i).deleted) cnt++
        val r = arrayOfNulls<Rect>(cnt)
        var idx = 0
        for (i in 0 until boxes.size)
            if (!boxes.get(i).deleted)
                r[idx++] = boxes.get(i).transform2Rect()
        return r
    }

    //删除做了delete标记的box
    fun updateBoxes(boxes: Vector<Box>): Vector<Box> {
        val b = Vector<Box>()
        for (i in 0 until boxes.size)
            if (!boxes[i].deleted)
                b.addElement(boxes[i])
        return b
    }

    //
    fun showPixel(v: Int) {
        Log.i("MainActivity", "[*]Pixel:R" + (v shr 16 and 0xff) + "G:" + (v shr 8 and 0xff) + " B:" + (v and 0xff))
    }

    fun getBitmapFromAssets(assets: AssetManager?, fileName: String): Bitmap {
        val inputStream = assets?.open(fileName)
        val bitmap = BitmapFactory.decodeStream(inputStream)
        inputStream?.close()
        return bitmap
    }


    //按照rect的大小裁剪出人脸
    fun crop(bitmap: Bitmap, rect: Rect): Bitmap {
        return Bitmap.createBitmap(bitmap, rect.left, rect.top, rect.right - rect.left, rect.bottom - rect.top)
    }

    //rect上下左右各扩展pixels个像素
    fun rectExtend(bitmap: Bitmap, rect: Rect, pixels: Int) {
        rect.left = max(0, rect.left - pixels)
        rect.right = min(bitmap.width - 1, rect.right + pixels)
        rect.top = max(0, rect.top - pixels)
        rect.bottom = min(bitmap.height - 1, rect.bottom + pixels)
    }

}

Boxs.kt

import android.graphics.Point
import android.graphics.Rect
import kotlin.math.max


class Box{
    var box: IntArray = intArrayOf(0,0,0,0)      //left:box[0],top:box[1],right:box[2],bottom:box[3]
    var score: Float = 0.toFloat()    //probability
    var bbr: FloatArray = floatArrayOf(0f,0f,0f,0f)   //bounding box regression
    var deleted: Boolean = false
    var landmark: Array<Point?>  = arrayOfNulls(5) //facial landmark.只有ONet输出Landmark

    fun left(): Int {
        return box[0]
    }

    fun right(): Int {
        return box[2]
    }

    fun top(): Int {
        return box[1]
    }

    fun bottom(): Int {
        return box[3]
    }

    fun width(): Int {
        return box[2] - box[0] + 1
    }

    fun height(): Int {
        return box[3] - box[1] + 1
    }

    //转为rect
    fun transform2Rect(): Rect {
        val rect = Rect()
        rect.left = Math.round(box[0].toFloat())
        rect.top = Math.round(box[1].toFloat())
        rect.right = Math.round(box[2].toFloat())
        rect.bottom = Math.round(box[3].toFloat())
        return rect
    }

    //面积
    fun area(): Int {
        return width() * height()
    }

    //Bounding Box Regression
    fun calibrate() {
        val w = box[2] - box[0] + 1
        val h = box[3] - box[1] + 1
        box[0] = (box[0] + w * bbr[0]).toInt()
        box[1] = (box[1] + h * bbr[1]).toInt()
        box[2] = (box[2] + w * bbr[2]).toInt()
        box[3] = (box[3] + h * bbr[3]).toInt()
        for (i in 0..3) bbr[i] = 0.0f
    }

    //当前box转为正方形
    fun toSquareShape() {
        val w = width()
        val h = height()
        if (w > h) {
            box[1] -= (w - h) / 2
            box[3] += (w - h + 1) / 2
        } else {
            box[0] -= (h - w) / 2
            box[2] += (h - w + 1) / 2
        }
    }

    //防止边界溢出,并维持square大小
    fun limitSquare(w: Int, h: Int) {
        if (box[0] < 0 || box[1] < 0) {
            val len = max(-box[0], -box[1])
            box[0] += len
            box[1] += len
        }
        if (box[2] >= w || box[3] >= h) {
            val len = max(box[2] - w + 1, box[3] - h + 1)
            box[2] -= len
            box[3] -= len
        }
    }

    fun limitSquare2(w: Int, h: Int) {
        if (width() > w) box[2] -= width() - w
        if (height() > h) box[3] -= height() - h
        if (box[0] < 0) {
            val sz = -box[0]
            box[0] += sz
            box[2] += sz
        }
        if (box[1] < 0) {
            val sz = -box[1]
            box[1] += sz
            box[3] += sz
        }
        if (box[2] >= w) {
            val sz = box[2] - w + 1
            box[2] -= sz
            box[0] -= sz
        }
        if (box[3] >= h) {
            val sz = box[3] - h + 1
            box[3] -= sz
            box[1] -= sz
        }
    }
}


标签:box,人脸识别,val,Kotlin,bitmap,boxes,fun,Android,rect
From: https://blog.51cto.com/u_13912333/6879064

相关文章

  • Android-定义和获取字符串资源
    resource->values->strings.xml里定义字符串定义单字符串:<stringname="app_name">abc123</string>定义字符串数组:<string-arrayname="map_style_array"><item>MAPBOX_STREETS</item><item>OUTDO......
  • 17 位谷歌 Android 开发专家是如何看待 Kotlin 的?
    译者简介:ASCE1885,《Android高级进阶》作者。*微信公众号:asce1885*小密圈:Android高级进阶,详情见这篇文章。*Github,简书,微博,原文链接:https://antonioleiva.com/google-kotlin/,由于Markdown对图片的排版存在限制,因此为了保证排版的美观,本文对作者介绍部分进行截图,不做另......
  • Android-单例模式
    单例模式意图:这种模式涉及到一个单一的类,该类负责创建自己的对象,同时确保只有单个对象被创建。这个类提供了一种访问其唯一的对象的方式,可以直接访问,不需要实例化该类的对象。 publicclassSingleton{privatestaticSingletoninstance=newSingleton();......
  • Android studio id 'org.jetbrains.kotlin.android' version '1.7.20' apply fals
    如何实现"Androidstudioid'org.jetbrains.kotlin.android'version'1.7.20'applyfalse"在Android开发中,AndroidStudio是一个常用的集成开发环境(IDE),用于开发Android应用程序。在AndroidStudio中,我们可以使用Kotlin作为一种更现代化的编程语言。本文将向刚入行的开发者介绍......
  • Android studio JavaVersion.VERSION_1_8
    在AndroidStudio中配置Java版本为1.8作为一名经验丰富的开发者,我将指导你如何在AndroidStudio中配置Java版本为1.8。下面是整个流程的步骤:步骤操作1打开项目2打开ProjectStructure3配置Java版本4应用更改现在,让我们一步一步地详细说明每个步骤需要......
  • Android studio DerInputStream.getLength(): lengthTag=109, too big.Failed to
    AndroidStudio:解决DerInputStream.getLength():lengthTag=109,toobig.Failedto的问题简介在使用AndroidStudio开发Android应用程序时,你可能会遇到DerInputStream.getLength():lengthTag=109,toobig.Failedto的错误。该错误通常发生在尝试使用包含较大数据的......
  • Android shell模拟物理按键
    Androidshell模拟物理按键在Android开发中,有时候我们需要模拟物理按键的操作,例如模拟点击返回键、Home键等。Android提供了一个能够在命令行中模拟按键操作的工具——input。input命令简介input命令是Android系统中的一个工具,用于模拟按键事件。通过使用不同的参数,我们可以模拟......
  • Android setColorFilter
    AndroidsetColorFilter详解在Android开发中,我们经常需要对图片进行处理以实现特定的效果。其中,setColorFilter函数是一个非常常用的方法之一,可以用来改变图片的颜色以及应用各种滤镜效果。本文将详细介绍setColorFilter方法的用法和示例代码,帮助读者了解如何使用该方法。setColo......
  • 手把手叫你用android 调研web services
    StepbyStepMethodtoAccessWebservicefromAndroidByMihiraPrasanna|24Sep2010JavaMobileAndroidHowtoaccesswebservicefromAndroidmobileapplication PartofTheMobileZoneSeeAlsoMorelikethisMoreby......
  • Android开发笔记:屏幕适配
    这几天刚刚接触了新的项目,做一个android客户端。本周的工作是完成客户端的UI界面和功能实现,但是对于Android开发最头疼的部分,即是对于纷杂的屏幕做适配的工作现在来说是最棘手的!图像显示所需的概念:像素:一幅图片的显示就是由许多显示着不同颜色的小方格组成的,这样的小方格就被称......