Android 扫一扫 扫码的几种实现方式

打印 上一主题 下一主题

主题 971|帖子 971|积分 2923


一、使用zxing库实现

1.1 ZXing

ZXing是Google官方提供的二维码天生和扫描库,支持扫码、相册解码,天生二维码等功能
Zxing github 地点 :https://github.com/zxing/zxing
由于zxing开源库太大了,有很多不是Android要用的,以是网上很多都是介绍将zxing库中Android用到内容重新封装使用。
这里直接使用zxing-android-embedded开源库(实在差不多,但是方便,简单),对于必要快速实现该功能的项目来说照旧很好的。
zxing-android-embedded 地点:https://github.com/journeyapps/zxing-android-embedded
1.2 gradle中引入zxing-android-embedded库

  1. // Config for SDK 24+
  2. repositories {
  3.     mavenCentral()
  4. }
复制代码
  1. dependencies {
  2.     implementation 'com.journeyapps:zxing-android-embedded:4.3.0'
  3.         implementation 'com.blankj:utilcodex:1.31.1'//工具库
  4. }
复制代码
1.3 添加权限

添加相机和闪光灯权限
  1.     <uses-feature
  2.         android:name="android.hardware.camera"
  3.         android:required="false" />
  4.     <uses-permission android:name="android.permission.CAMERA" />
  5.     <uses-permission android:name="android.permission.FLASHLIGHT" />
复制代码
1.4 申请权限

  1.     fun gotoScan(){
  2.         PermissionUtils.permission(Manifest.permission.CAMERA)
  3.             .callback(object : PermissionUtils.SimpleCallback {
  4.                 override fun onGranted() {
  5.                     //相机权限已开启
  6.                     LogUtils.i("相机权限已开启")
  7.                 }
  8.                 override fun onDenied() {
  9.                     LogUtils.e("没有相机权限,无法扫码,请在设置中开启")
  10.                     ToastUtils.showShort("没有相机权限,无法扫码,请在设置中开启")
  11.                 }
  12.             }).request()
  13.     }
复制代码
1.5 添加扫码布局

DecoratedBarcodeView是二维码扫描的重要控件,由三个view构成 BarcodeView(相机扫描时的预览控件)、ViewfinderView(扫码框、遮罩和底部提示文字,背面自定义扫描框就是对其自定义)、TextView(提示文本)
  1. <?xml version="1.0" encoding="utf-8"?>
  2. <androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
  3.     xmlns:app="http://schemas.android.com/apk/res-auto"
  4.     xmlns:tools="http://schemas.android.com/tools"
  5.     android:id="@+id/main"
  6.     android:layout_width="match_parent"
  7.     android:layout_height="match_parent">
  8.     <com.journeyapps.barcodescanner.DecoratedBarcodeView
  9.        android:id="@+id/barcodeScanner"
  10.         android:layout_width="match_parent"
  11.         android:layout_height="match_parent"
  12.         app:zxing_framing_rect_height="200dp"
  13.         app:zxing_framing_rect_width="200dp" />
  14. </androidx.constraintlayout.widget.ConstraintLayout>
复制代码
1.6 添加扫码代码

  1. class ScanQRActivity: BaseVBActivity<ActivityScanQrBinding>() {
  2.     private lateinit var beepManager:BeepManager
  3.     override fun initView() {
  4.         //设置屏幕常亮
  5.         window.addFlags(WindowManager.LayoutParams.FLAG_KEEP_SCREEN_ON)
  6.         //初始化扫码
  7.         val formats: Collection<BarcodeFormat> =
  8.             listOf(BarcodeFormat.QR_CODE, BarcodeFormat.CODE_39)
  9.         mViewBinding.barcodeScanner.barcodeView.setDecoderFactory(DefaultDecoderFactory(formats))
  10.         mViewBinding.barcodeScanner.initializeFromIntent(intent)
  11.         mViewBinding.barcodeScanner.decodeContinuous(callback)
  12.         beepManager = BeepManager(this)
  13.     }
  14.     private val callback: BarcodeCallback = object : BarcodeCallback {
  15.         override fun barcodeResult(result: BarcodeResult) {
  16.             if (result.text == null ) {
  17.                 // Prevent duplicate scans
  18.                 return
  19.             }
  20.             mViewBinding.barcodeScanner.setStatusText(result.text)
  21.             beepManager.playBeepSoundAndVibrate()
  22.         }
  23.         override fun possibleResultPoints(resultPoints: List<ResultPoint>) {
  24.         }
  25.     }
  26.     override fun onResume() {
  27.         super.onResume()
  28.         mViewBinding.barcodeScanner.resume()
  29.     }
  30.     override fun onPause() {
  31.         super.onPause()
  32.         mViewBinding.barcodeScanner.pause()
  33.     }
  34.     override fun onKeyDown(keyCode: Int, event: KeyEvent?): Boolean {
  35.         return mViewBinding.barcodeScanner.onKeyDown(keyCode, event) ||  super.onKeyDown(keyCode, event)
  36.     }
  37. }
复制代码
此中result就是扫码的效果

1.7 自定义扫描框

  1. 上面有提到DecoratedBarcodeView,主要的三个view:BarcodeView、ViewfinderView、TextView。这里对包括扫描框的ViewfinderView进行自定义。ViewfinderView的默认效果从演示效果图中可以看到是中间的一根红色线,渐隐渐现,扫描时在还能出现些许黄色的小圆点。
  2.     这里我们要做的是去掉中间红色的线,换成我们绘制的扫描线,并在四个角绘制边角。这里我们的自定义view只需要继承原先的ViewfinderView,并重写onDraw(),去掉不需要的,绘制我们的需要的即可。
复制代码
下面为CustomViewfinderView的全部代码:
  1. class CustomViewfinderView(context: Context, attrs: AttributeSet?) : ViewfinderView(context, attrs) {
  2.     /* ******************************************    边角线相关属性    ************************************************/ //"边角线长度/扫描边框长度"的占比 (比例越大,线越长)
  3.     var mLineRate: Float = 0.1f
  4.     //边角线厚度 (建议使用dp)
  5.     var mLineDepth: Float = dp2px(4).toFloat()
  6.     //边角线颜色
  7.     var mLineColor: Int
  8.     /* *******************************************    扫描线相关属性    ************************************************/ //扫描线起始位置
  9.     var mScanLinePosition: Int = 0
  10.     //扫描线厚度
  11.     var mScanLineDepth: Float = dp2px(4).toFloat()
  12.     //扫描线每次移动距离
  13.     var mScanLineDy: Float = dp2px(3).toFloat()
  14.     //渐变线
  15.     var mLinearGradient: LinearGradient? = null
  16.     //图形paint
  17.     var mBitmapPaint: Paint
  18.     ///颜色在渐变中所占比例,此处均衡渐变
  19.     var mPositions: FloatArray = floatArrayOf(0f, 0.5f, 1f)
  20.     //线性梯度各个位置对应的颜色值
  21.     var mScanLineColor: IntArray = intArrayOf(0x00000000, Color.YELLOW, 0x00000000)
  22.     //扫描框宽、高
  23.     var mScanFrameWidth: Float
  24.     var mScanFrameHeight: Float
  25.     init {
  26.         val typedArray = context.obtainStyledAttributes(attrs, R.styleable.CustomViewfinderView)
  27.         mLineColor = typedArray.getColor(R.styleable.CustomViewfinderView_lineColor, Color.YELLOW)
  28.         mScanLineColor[1] =
  29.             typedArray.getColor(R.styleable.CustomViewfinderView_cornerColor, Color.YELLOW)
  30.         mScanFrameWidth = typedArray.getDimension(
  31.             R.styleable.CustomViewfinderView_scanFrameWidth,
  32.             dp2px(160).toFloat()
  33.         )
  34.         mScanFrameHeight = typedArray.getDimension(
  35.             R.styleable.CustomViewfinderView_scanFrameHeight,
  36.             dp2px(160).toFloat()
  37.         )
  38.         typedArray.recycle()
  39.         mBitmapPaint = Paint()
  40.         mBitmapPaint.isAntiAlias = true
  41.     }
  42.     @SuppressLint("DrawAllocation")
  43.     override fun onDraw(canvas: Canvas) {
  44.         refreshSizes()
  45.         if (framingRect == null || previewSize == null) {
  46.             return
  47.         }
  48.         val frame = framingRect
  49.         val width = width
  50.         val height = height
  51.         //绘制扫描框外部遮罩
  52.         paint.color = if (resultBitmap != null) resultColor else maskColor
  53.         canvas.drawRect(0f, 0f, width.toFloat(), frame.top.toFloat(), paint)
  54.         canvas.drawRect(
  55.             0f,
  56.             frame.top.toFloat(),
  57.             frame.left.toFloat(),
  58.             (frame.bottom + 1).toFloat(),
  59.             paint
  60.         )
  61.         canvas.drawRect(
  62.             (frame.right + 1).toFloat(),
  63.             frame.top.toFloat(),
  64.             width.toFloat(),
  65.             (frame.bottom + 1).toFloat(),
  66.             paint
  67.         )
  68.         canvas.drawRect(0f, (frame.bottom + 1).toFloat(), width.toFloat(), height.toFloat(), paint)
  69.         //绘制4个角
  70.         paint.color = mLineColor
  71.         canvas.drawRect(
  72.             frame.left.toFloat(),
  73.             frame.top.toFloat(),
  74.             frame.left + frame.width() * mLineRate,
  75.             frame.top + mLineDepth,
  76.             paint
  77.         )
  78.         canvas.drawRect(
  79.             frame.left.toFloat(),
  80.             frame.top.toFloat(),
  81.             frame.left + mLineDepth,
  82.             frame.top + frame.height() * mLineRate,
  83.             paint
  84.         )
  85.         canvas.drawRect(
  86.             frame.right - frame.width() * mLineRate,
  87.             frame.top.toFloat(),
  88.             frame.right.toFloat(),
  89.             frame.top + mLineDepth,
  90.             paint
  91.         )
  92.         canvas.drawRect(
  93.             frame.right - mLineDepth,
  94.             frame.top.toFloat(),
  95.             frame.right.toFloat(),
  96.             frame.top + frame.height() * mLineRate,
  97.             paint
  98.         )
  99.         canvas.drawRect(
  100.             frame.left.toFloat(),
  101.             frame.bottom - mLineDepth,
  102.             frame.left + frame.width() * mLineRate,
  103.             frame.bottom.toFloat(),
  104.             paint
  105.         )
  106.         canvas.drawRect(
  107.             frame.left.toFloat(),
  108.             frame.bottom - frame.height() * mLineRate,
  109.             frame.left + mLineDepth,
  110.             frame.bottom.toFloat(),
  111.             paint
  112.         )
  113.         canvas.drawRect(
  114.             frame.right - frame.width() * mLineRate,
  115.             frame.bottom - mLineDepth,
  116.             frame.right.toFloat(),
  117.             frame.bottom.toFloat(),
  118.             paint
  119.         )
  120.         canvas.drawRect(
  121.             frame.right - mLineDepth,
  122.             frame.bottom - frame.height() * mLineRate,
  123.             frame.right.toFloat(),
  124.             frame.bottom.toFloat(),
  125.             paint
  126.         )
  127.         if (resultBitmap != null) {
  128.             // Draw the opaque result bitmap over the scanning rectangle
  129.             paint.alpha = CURRENT_POINT_OPACITY
  130.             canvas.drawBitmap(resultBitmap, null, frame, paint)
  131.         } else {
  132.             // 绘制渐变扫描线
  133.             mScanLinePosition = (mScanLinePosition + mScanLineDy).toInt()
  134.             if (mScanLinePosition >= frame.height()) {
  135.                 mScanLinePosition = 0
  136.             }
  137.             mLinearGradient = LinearGradient(
  138.                 frame.left.toFloat(),
  139.                 (frame.top + mScanLinePosition).toFloat(),
  140.                 frame.right.toFloat(),
  141.                 (frame.top + mScanLinePosition).toFloat(),
  142.                 mScanLineColor,
  143.                 mPositions,
  144.                 Shader.TileMode.CLAMP
  145.             )
  146.             paint.setShader(mLinearGradient)
  147.             canvas.drawRect(
  148.                 frame.left.toFloat(),
  149.                 (frame.top + mScanLinePosition).toFloat(),
  150.                 frame.right.toFloat(),
  151.                 frame.top + mScanLinePosition + mScanLineDepth,
  152.                 paint
  153.             )
  154.             paint.setShader(null)
  155.             //绘制资源图片扫描线
  156. //            Rect lineRect = new Rect();
  157. //            lineRect.left = frame.left;
  158. //            lineRect.top = frame.top + mScanLinePosition;
  159. //            lineRect.right = frame.right;
  160. //            lineRect.bottom = frame.top + dp2px(6) + mScanLinePosition;
  161. //            Bitmap bitmap = BitmapFactory.decodeResource(getResources(),R.drawable.img_line);
  162. //            canvas.drawBitmap(bitmap, null, lineRect, mBitmapPaint);
  163.             //============绘制扫描时小圆点,效果为默认=======================
  164.             val scaleX = this.width / previewSize.width.toFloat()
  165.             val scaleY = this.height / previewSize.height.toFloat()
  166.             // draw the last possible result points
  167.             if (!lastPossibleResultPoints.isEmpty()) {
  168.                 paint.alpha = CURRENT_POINT_OPACITY / 2
  169.                 paint.color = resultPointColor
  170.                 val radius = POINT_SIZE / 2.0f
  171.                 for (point in lastPossibleResultPoints) {
  172.                     canvas.drawCircle(
  173.                         (point.x * scaleX).toInt().toFloat(),
  174.                         (point.y * scaleY).toInt().toFloat(),
  175.                         radius, paint
  176.                     )
  177.                 }
  178.                 lastPossibleResultPoints.clear()
  179.             }
  180.             // draw current possible result points
  181.             if (!possibleResultPoints.isEmpty()) {
  182.                 paint.alpha = CURRENT_POINT_OPACITY
  183.                 paint.color = resultPointColor
  184.                 for (point in possibleResultPoints) {
  185.                     canvas.drawCircle(
  186.                         (point.x * scaleX).toInt().toFloat(),
  187.                         (point.y * scaleY).toInt().toFloat(),
  188.                         POINT_SIZE.toFloat(), paint
  189.                     )
  190.                 }
  191.                 // swap and clear buffers
  192.                 val temp = possibleResultPoints
  193.                 possibleResultPoints = lastPossibleResultPoints
  194.                 lastPossibleResultPoints = temp
  195.                 possibleResultPoints.clear()
  196.             }
  197.             //============绘制扫描时小圆点,效果为默认 end=======================
  198.         }
  199.         //定时刷新扫描框
  200.         postInvalidateDelayed(
  201.             INT_ANIMATION_DELAY,
  202.             frame.left - POINT_SIZE,
  203.             frame.top - POINT_SIZE,
  204.             frame.right + POINT_SIZE,
  205.             frame.bottom + POINT_SIZE
  206.         )
  207.     }
  208.     override fun refreshSizes() {
  209.         if (cameraPreview == null) {
  210.             return
  211.         }
  212.         //添加设置边框大小代码
  213.         cameraPreview.framingRectSize =
  214.             Size(mScanFrameWidth.toInt(), mScanFrameHeight.toInt())
  215.         val framingRect = cameraPreview.framingRect
  216.         val previewSize = cameraPreview.previewSize
  217.         if (framingRect != null && previewSize != null) {
  218.             this.framingRect = framingRect
  219.             this.previewSize = previewSize
  220.         }
  221.     }
  222.     private fun dp2px(dp: Int): Int {
  223.         val density = context.resources.displayMetrics.density
  224.         return (dp * density + 0.5f).toInt()
  225.     }
  226.     companion object {
  227.         //重绘时间间隔
  228.         const val INT_ANIMATION_DELAY: Long = 12
  229.     }
  230. }
复制代码
代码中重要看onDraw(),里面的关键代码已添加解释,同时里面的扫描线可以更换成我们必要的图形,有必要打开onDraw中解释的代码即可
自定义的属性文件attrs.xml
  1. <?xml version="1.0" encoding="utf-8"?>
  2. <resources>
  3.     <declare-styleable name="CustomViewfinderView">
  4.         <attr format="color" name="lineColor"/><!--扫描线的颜色-->
  5.         <attr format="color" name="cornerColor"/><!--四边角的颜色-->
  6.         <attr format="dimension" name="scanFrameWidth"/><!--扫描框的宽度-->
  7.         <attr format="dimension" name="scanFrameHeight"/><!--扫描框的高度-->
  8.     </declare-styleable>
  9. </resources>
复制代码
使用方法
创建custom_barcode_scanner.xml
  1. <?xml version="1.0" encoding="utf-8"?>
  2. <merge xmlns:android="http://schemas.android.com/apk/res/android"
  3.     xmlns:app="http://schemas.android.com/apk/res-auto">
  4.     <com.journeyapps.barcodescanner.BarcodeView
  5.         android:layout_width="match_parent"
  6.         android:layout_height="match_parent"
  7.         android:id="@+id/zxing_barcode_surface"/>
  8.     <com.home.testzxing.CustomViewfinderView
  9.         android:layout_width="match_parent"
  10.         app:lineColor="#ff8100"
  11.         app:cornerColor="#ff8100"
  12.         app:scanFrameWidth="180dp"
  13.         app:scanFrameHeight="180dp"
  14.         android:layout_height="match_parent"
  15.         android:id="@+id/zxing_viewfinder_view"/>
  16.     <TextView android:id="@+id/zxing_status_view"
  17.         android:layout_width="wrap_content"
  18.         android:layout_height="wrap_content"
  19.         android:layout_gravity="bottom|center_horizontal"
  20.         android:background="@color/zxing_transparent"
  21.         android:text="@string/zxing_msg_default_status"
  22.         android:textColor="@color/zxing_status_text"/>
  23. </merge>
复制代码
里面就包含我们刚才提到的三个View,ViewfinderView更换成我们的CustomViewfinderView,另外这三个View的id不可改变
在DecoratedBarcodeView的布局文件中通过zxing_scanner_layout属性引入我们创建的xml
  1. <?xml version="1.0" encoding="utf-8"?>
  2. <androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
  3.     xmlns:app="http://schemas.android.com/apk/res-auto"
  4.     xmlns:tools="http://schemas.android.com/tools"
  5.     android:id="@+id/main"
  6.     android:layout_width="match_parent"
  7.     android:layout_height="match_parent">
  8.     <com.journeyapps.barcodescanner.DecoratedBarcodeView
  9.        android:id="@+id/barcodeScanner"
  10.         android:layout_width="match_parent"
  11.         android:layout_height="match_parent"
  12.         app:zxing_scanner_layout="@layout/custom_barcode_scanner"
  13.         />
  14. </androidx.constraintlayout.widget.ConstraintLayout>
复制代码

二、使用华为统一扫码服务实现

华为统一扫码服务(Scan Kit)提供便捷的条形码和二维码扫描、解析、天生本领,资助开辟者快速构建应用内的扫码功能。
华为统一扫码服务(Scan Kit)官方地点:https://developer.huawei.com/consumer/cn/hms/huawei-scankit/
华为统一扫码服务(Scan Kit)和Zxing对照测试:https://developer.huawei.com/consumer/cn/forum/topic/0201248342859390343?fid=18%EF%BC%8C
2.1 引入依靠项

官方教程中【配置AppGallery Connect】步骤,如果应用无上架需求,可以忽略。
在项目标 build.gradle 里面添加引入依靠项
  1. pluginManagement {
  2.     repositories {
  3.         maven { url=uri ("https://maven.aliyun.com/repository/releases")}
  4.         maven { url=uri ("https://maven.aliyun.com/repository/google")}
  5.         maven { url=uri ("https://maven.aliyun.com/repository/central")}
  6.         maven { url=uri ("https://maven.aliyun.com/repository/gradle-plugin")}
  7.         maven { url=uri ("https://maven.aliyun.com/repository/public")}
  8.         google()
  9.         mavenCentral()
  10.         jcenter()
  11.         gradlePluginPortal()
  12.     }
  13. }
  14. dependencyResolutionManagement {
  15.     repositoriesMode.set(RepositoriesMode.FAIL_ON_PROJECT_REPOS)
  16.     repositories {
  17.         maven { url=uri ("https://maven.aliyun.com/repository/releases")}
  18.         maven { url=uri ("https://maven.aliyun.com/repository/google")}
  19.         maven { url=uri ("https://maven.aliyun.com/repository/central")}
  20.         maven { url=uri ("https://maven.aliyun.com/repository/gradle-plugin")}
  21.         maven { url=uri ("https://maven.aliyun.com/repository/public")}
  22.         google()
  23.         jcenter()
  24.         mavenCentral()
  25.         maven { url = uri("https://jitpack.io") }
  26.         //配置华为扫码 HMS Core SDK的Maven仓地址
  27.         maven { url = uri("https://developer.huawei.com/repo/") }
  28.     }
  29. }
复制代码
在Module的 build.gradle 里面添加引入依靠项
  1.     //华为扫码库
  2.     implementation("com.huawei.hms:scanplus:1.3.2.300")
复制代码
2.2 扫码方式


2.3 表现华为默认扫码页面

  1.       val option =
  2.             HmsScanAnalyzerOptions.Creator()
  3.                 .setHmsScanTypes(HmsScan.ALL_SCAN_TYPE)
  4.                 .create()
  5.         ScanUtil.startScan(activity, Constants.SCAN_REQUEST_CODE, option)
复制代码
2.4 Customized View开辟者自定义扫码界面

这里以Customized View开辟者自定义扫码界面为例

activity_scan.xml页面布局
  1. <?xml version="1.0" encoding="utf-8"?>
  2. <RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
  3.     xmlns:my_view="http://schemas.android.com/apk/res-auto"
  4.     android:layout_width="match_parent"
  5.     android:layout_height="match_parent">
  6.     <!-- customize layout needed by scankit for camera preview -->
  7.     <FrameLayout
  8.         android:id="@+id/rim1"
  9.         android:layout_width="match_parent"
  10.         android:layout_height="match_parent"
  11.         android:background="#C0C0C0" />
  12.     <!--  customize back button view -->
  13.     <ImageView
  14.         android:id="@+id/back_img"
  15.         android:layout_width="48dp"
  16.         android:layout_height="48dp"
  17.         android:layout_alignParentStart="true"
  18.         android:layout_alignParentLeft="true"
  19.         android:layout_marginStart="12dp"
  20.         android:layout_marginTop="4dp"
  21.         android:gravity="center"
  22.         android:padding="12dp"
  23.         android:src="@drawable/ic_back" />
  24.     <!--  customize scanning mask  -->
  25.     <ImageView
  26.         android:layout_width="match_parent"
  27.         android:layout_height="match_parent"
  28.         android:layout_centerInParent="true"
  29.         android:layout_centerHorizontal="true"
  30.         android:alpha="0.1"
  31.         android:background="#FF000000" />
  32.     <!--  customize scanning viewfinder  -->
  33.     <ImageView
  34.         android:id="@+id/scan_view_finder"
  35.         android:layout_width="300dp"
  36.         android:layout_height="300dp"
  37.         android:layout_centerInParent="true"
  38.         android:layout_centerHorizontal="true"
  39.         android:background="@drawable/scanningframe" />
  40.     <ImageView
  41.         android:id="@+id/imgSelect"
  42.         android:layout_width="40dp"
  43.         android:layout_height="wrap_content"
  44.         android:layout_alignParentTop="true"
  45.         android:layout_alignParentEnd="true"
  46.         android:layout_marginTop="15dp"
  47.         android:layout_marginEnd="15dp"
  48.         android:contentDescription="@null"
  49.         android:src="@drawable/ic_select_img" />
  50. </RelativeLayout>
复制代码
ScanActivity
  1. class ScanActivity : AppCompatActivity() {
  2.     companion object {
  3.         private const val SCAN_FRAME_SIZE = 300
  4.     }
  5.     private var remoteView: RemoteView? = null
  6.     var mScreenWidth = 0
  7.     var mScreenHeight = 0
  8.     private val mBinding by lazy {
  9.         ActivityScanBinding.inflate(layoutInflater)
  10.     }
  11.     override fun onCreate(savedInstanceState: Bundle?) {
  12.         super.onCreate(savedInstanceState)
  13.         setContentView(mBinding.root)
  14.         //1.get screen density to caculate viewfinder's rect
  15.         val dm = resources.displayMetrics
  16.         //2.get screen size
  17.         val density = dm.density
  18.         mScreenWidth = dm.widthPixels
  19.         mScreenHeight = dm.heightPixels
  20.         val scanFrameSize = (SCAN_FRAME_SIZE * density)
  21.         //3.calculate viewfinder's rect,it's in the middle of the layout
  22.         //set scanning area(Optional, rect can be null,If not configure,default is in the center of layout)
  23.         val rect = Rect()
  24.         apply {
  25.             rect.left = (mScreenWidth / 2 - scanFrameSize / 2).toInt()
  26.             rect.right = (mScreenWidth / 2 + scanFrameSize / 2).toInt()
  27.             rect.top = (mScreenHeight / 2 - scanFrameSize / 2).toInt()
  28.             rect.bottom = (mScreenHeight / 2 + scanFrameSize / 2).toInt()
  29.         }
  30.         //initialize RemoteView instance, and set calling back for scanning result
  31.         remoteView = RemoteView.Builder().setContext(this).setBoundingBox(rect)
  32.             .setFormat(HmsScan.ALL_SCAN_TYPE).build()
  33.         remoteView?.onCreate(savedInstanceState)
  34.         remoteView?.setOnResultCallback { result ->
  35.             if (result != null && result.isNotEmpty() && result[0] != null && !TextUtils.isEmpty(
  36.                     result[0].getOriginalValue()
  37.                 )
  38.             ) {
  39.                 val intent = Intent()
  40.                 intent.apply {
  41.                     putExtra("scanResult", result[0])
  42.                 }
  43.                 setResult(Activity.RESULT_OK, intent)
  44.                 this.finish()
  45.             }
  46.         }
  47.         // Add the defined RemoteView to the page layout.
  48.         val params = FrameLayout.LayoutParams(
  49.             LinearLayout.LayoutParams.MATCH_PARENT,
  50.             LinearLayout.LayoutParams.MATCH_PARENT
  51.         )
  52.         mBinding.rim1.addView(remoteView, params)
  53.         setOnClick()
  54.     }
  55.     private fun setOnClick() {
  56.         mBinding.backImg.setOnClickListener{
  57. //            finish()
  58.             //控制闪光灯开启和关闭
  59.             if (remoteView?.lightStatus == true) {
  60.                 remoteView?.switchLight()
  61.                 LogUtils.d("关闭闪光灯")
  62.             } else {
  63.                 remoteView?.switchLight()
  64.                 LogUtils.d("打开闪光灯")
  65.             }
  66.         }
  67.         mBinding.imgSelect.setOnClickListener {
  68.             EasyPhotos.createAlbum(
  69.                 this, false, false,
  70.                 GlideEngine.getInstance()
  71.             )
  72.                 .setFileProviderAuthority(BuildConfig.APPLICATION_ID)
  73.                 .setCount(1)
  74.                 .start(object : SelectCallback() {
  75.                     override fun onResult(photos: ArrayList<Photo>?, isOriginal: Boolean) {
  76.                         photos?.let {
  77.                             val path = photos.first().path
  78.                             if (TextUtils.isEmpty(path)) {
  79.                                 return
  80.                             }
  81.                             // Obtain the bitmap from the image path.
  82.                             val bitmap = ScanUtil.compressBitmap(applicationContext, path)
  83.                             // Call the decodeWithBitmap method to pass the bitmap.
  84.                             val options =
  85.                                 HmsScanAnalyzerOptions.Creator()
  86.                                     .setHmsScanTypes(HmsScan.ALL_SCAN_TYPE)
  87.                                     .setPhotoMode(false)
  88.                                     .create()
  89.                             val result = ScanUtil.decodeWithBitmap(
  90.                                 applicationContext,
  91.                                 bitmap,
  92.                                 options
  93.                             )
  94.                             // Obtain the scanning result.
  95.                             if (result != null && result.isNotEmpty()) {
  96.                                 val resultText = result.joinToString { it.originalValue }
  97.                                 Log.d("sTag", resultText)
  98.                                 Toast.makeText(
  99.                                     applicationContext, resultText, Toast.LENGTH_SHORT
  100.                                 ).show()
  101.                             }
  102.                         }
  103.                     }
  104.                     override fun onCancel() {
  105.                         Toast.makeText(
  106.                             applicationContext,
  107.                             "图片选取失败",
  108.                             Toast.LENGTH_SHORT
  109.                         )
  110.                             .show()
  111.                     }
  112.                 })
  113.         }
  114.     }
  115.     //manage remoteView lifecycle
  116.     override fun onStart() {
  117.         super.onStart()
  118.         remoteView?.onStart()
  119.     }
  120.     override fun onResume() {
  121.         super.onResume()
  122.         remoteView?.onResume()
  123.     }
  124.     override fun onPause() {
  125.         super.onPause()
  126.         remoteView?.onPause()
  127.     }
  128.     override fun onDestroy() {
  129.         super.onDestroy()
  130.         remoteView?.onDestroy()
  131.     }
  132.     override fun onStop() {
  133.         super.onStop()
  134.         remoteView?.onStop()
  135.     }
  136. }
复制代码
三、使用三方库实现

使用三方库ZXingLite:https://github.com/jenly1314/ZXingLite
ZXingLite for Android 是ZXing的精简极速版,基于ZXing库优化扫码和天生二维码/条形码功能,扫码界面完全支持自定义;使用ZXingLite可快速实现扫码识别相关功能。
3.1 在Project的 build.gradle 或 setting.gradle 中添加远程堆栈

  1. repositories {
  2.     //...
  3.     mavenCentral()
  4. }
复制代码
在Module的 build.gradle 里面添加引入依靠项
  1. implementation 'com.github.jenly1314:zxing-lite:3.2.0'
复制代码
关于ZXingLite版本与编译的SDK版本要求
使用 v3.1.x 以上版本时,要求 compileSdkVersion >= 34
使用 v3.0.x 以上版本时,要求 compileSdkVersion >= 33
如果 compileSdkVersion < 33 请使用 v2.x版本
3.2 添加activity_scan_zxing_lite.xml页面布局

  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
  3.     xmlns:app="http://schemas.android.com/apk/res-auto"
  4.     android:layout_width="match_parent"
  5.     android:layout_height="match_parent">
  6.     <androidx.camera.view.PreviewView
  7.         android:id="@+id/previewView"
  8.         android:layout_width="match_parent"
  9.         android:layout_height="match_parent" />
  10.     <com.king.view.viewfinderview.ViewfinderView
  11.         android:id="@+id/viewfinderView"
  12.         android:layout_width="match_parent"
  13.         android:layout_height="match_parent"
  14.         app:vvLabelText="将二维码放入框内,即可自动扫描"
  15.         app:vvLabelTextLocation="bottom"
  16.         app:vvLaserStyle="grid" />
  17.     <!--自定义扫描框-->
  18. <!--    <com.kevin.sport.module.home.scan.QCfinderView-->
  19. <!--        android:layout_width="match_parent"-->
  20. <!--        android:layout_height="match_parent" />-->
  21.     <ImageView
  22.         android:id="@+id/ivFlashlight"
  23.         android:layout_width="wrap_content"
  24.         android:layout_height="wrap_content"
  25.         android:layout_gravity="center"
  26.         android:layout_marginTop="@dimen/camera_scan_flashlight_margin_top"
  27.         android:contentDescription="@null"
  28.         android:src="@drawable/camera_scan_flashlight_selector" />
  29. </FrameLayout>
复制代码

3.3 添加ScanZxingLiteActivity

  1. class ScanZxingLiteActivity : BarcodeCameraScanActivity() {
  2.     override fun initCameraScan(cameraScan: CameraScan<Result>) {
  3.         super.initCameraScan(cameraScan)
  4.         // 根据需要设置CameraScan相关配置
  5.         cameraScan.setPlayBeep(true);
  6.     }
  7.     override fun createAnalyzer(): Analyzer<Result> {
  8.         //初始化解码配置
  9.         val decodeConfig =  DecodeConfig();
  10.         decodeConfig.setHints(DecodeFormatManager.QR_CODE_HINTS)//如果只有识别二维码的需求,这样设置效率会更高,不设置默认为DecodeFormatManager.DEFAULT_HINTS
  11.             .setFullAreaScan(false)//设置是否全区域识别,默认false
  12.             .setAreaRectRatio(0.8f)//设置识别区域比例,默认0.8,设置的比例最终会在预览区域裁剪基于此比例的一个矩形进行扫码识别
  13.             .setAreaRectVerticalOffset(0)//设置识别区域垂直方向偏移量,默认为0,为0表示居中,可以为负数
  14.             .setAreaRectHorizontalOffset(0);//设置识别区域水平方向偏移量,默认为0,为0表示居中,可以为负数
  15.         // BarcodeCameraScanActivity默认使用的MultiFormatAnalyzer,这里也可以改为使用QRCodeAnalyzer
  16.         return  MultiFormatAnalyzer(decodeConfig);
  17.     }
  18.     override fun getLayoutId(): Int {
  19.         //设置屏幕常亮
  20.         window.addFlags(WindowManager.LayoutParams.FLAG_KEEP_SCREEN_ON)
  21.         return R.layout.activity_scan_zxing_lite;
  22.     }
  23.     override fun onScanResultCallback(result: AnalyzeResult<Result>) {
  24.         ToastUtils.showShort(result.result.text)
  25.         // 停止分析
  26.         cameraScan.setAnalyzeImage(false);
  27.         // 返回结果
  28.         val intent =  Intent();
  29.         intent.putExtra(CameraScan.SCAN_RESULT, result.getResult().getText());
  30.         setResult(Activity.RESULT_OK, intent);
  31.         finish();
  32.     }
  33. }
复制代码
清单文件AndroidManifest.xml中设置Activity主题
  1.         <activity
  2.             android:name=".module.home.scan.ScanZxingLiteActivity"
  3.             android:exported="false"
  4.             android:theme="@style/CameraScanTheme"/>
复制代码
style
  1.     <color name="camera_scan_navigation_bar_color">#00000000</color>
  2.     <color name="camera_scan_status_bar_color">#00000000</color>
  3.     <dimen name="camera_scan_flashlight_margin_top">90dp</dimen>
  4.     <style name="CameraScanTheme" parent="Theme.AppCompat.Light.DarkActionBar">
  5.         <item name="windowNoTitle">true</item>
  6.         <item name="windowActionBar">false</item>
  7.         <item name="colorPrimary">@android:color/black</item>
  8.         <item name="colorPrimaryDark">@android:color/black</item>
  9.         <item name="android:windowTranslucentStatus">true</item>
  10.         <item name="android:windowTranslucentNavigation">true</item>
  11.         <item name="android:statusBarColor">@color/camera_scan_status_bar_color</item>
  12.         <item name="android:navigationBarColor">@color/camera_scan_navigation_bar_color</item>
  13.     </style>
复制代码
3.4 全屏扫二维码

  1. class FullScreenQRCodeScanActivity : BarcodeCameraScanActivity() {
  2.     override fun initUI() {
  3.         super.initUI()
  4.         // 设置取景框样式
  5.         viewfinderView.setViewfinderStyle(ViewfinderView.ViewfinderStyle.POPULAR)
  6.     }
  7.     override fun initCameraScan(cameraScan: CameraScan<Result>) {
  8.         super.initCameraScan(cameraScan)
  9.         // 根据需要设置CameraScan相关配置
  10.         cameraScan.setPlayBeep(true)
  11.     }
  12.     override fun createAnalyzer(): Analyzer<Result>? {
  13.         // 初始化解码配置
  14.         val decodeConfig = DecodeConfig().apply {
  15.             // 如果只有识别二维码的需求,这样设置效率会更高,不设置默认为DecodeFormatManager.DEFAULT_HINTS
  16.             hints = DecodeFormatManager.QR_CODE_HINTS
  17.             // 设置是否全区域识别,默认false
  18.             isFullAreaScan = true
  19.         }
  20.         // BarcodeCameraScanActivity默认使用的MultiFormatAnalyzer,这里可以改为使用QRCodeAnalyzer
  21.         return QRCodeAnalyzer(decodeConfig)
  22.     }
  23.     /**
  24.      * 布局ID;通过覆写此方法可以自定义布局
  25.      *
  26.      * @return 布局ID
  27.      */
  28.     override fun getLayoutId(): Int {
  29.         return super.getLayoutId()
  30.     }
  31.     override fun onScanResultCallback(result: AnalyzeResult<Result>) {
  32.         // 停止分析
  33.         cameraScan.setAnalyzeImage(false)
  34.         // 显示结果点
  35.         displayResultPoint(result)
  36.         // 返回结果
  37.         val intent = Intent()
  38.         intent.putExtra(CameraScan.SCAN_RESULT, result.result.text)
  39.         setResult(Activity.RESULT_OK, intent)
  40.         finish()
  41.     }
  42.     /**
  43.      * 显示结果点
  44.      */
  45.     private fun displayResultPoint(result: AnalyzeResult<Result>) {
  46.         var width = result.imageWidth
  47.         var height = result.imageHeight
  48.         val resultPoints = result.result.resultPoints
  49.         val size = resultPoints.size
  50.         if (size > 0) {
  51.             var x = 0f
  52.             var y = 0f
  53.             resultPoints.forEach {
  54.                 x += it.x
  55.                 y += it.y
  56.             }
  57.             var centerX = x / size
  58.             var centerY = y / size
  59.             //将实际的结果中心点坐标转换成界面预览的坐标
  60.             val point = PointUtils.transform(
复制代码
  1.         <activity
  2.             android:name=".module.home.scan.FullScreenQRCodeScanActivity"
  3.             android:exported="false"
  4.             android:theme="@style/CameraScanTheme"/>
复制代码

自定义全屏扫码布局activity_scan_zxing_full_custom.xml
  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
  3.     xmlns:app="http://schemas.android.com/apk/res-auto"
  4.     android:layout_width="match_parent"
  5.     android:layout_height="match_parent">
  6.     <androidx.camera.view.PreviewView
  7.         android:id="@+id/previewView"
  8.         android:layout_width="match_parent"
  9.         android:layout_height="match_parent" />
  10.     <com.king.view.viewfinderview.ViewfinderView
  11.         android:id="@+id/viewfinderView"
  12.         android:layout_width="match_parent"
  13.         android:layout_height="match_parent" />
  14.     <ImageView
  15.         android:id="@+id/ivFlashlight"
  16.         android:layout_width="wrap_content"
  17.         android:layout_height="wrap_content"
  18.         android:layout_gravity="center"
  19.         android:layout_marginTop="@dimen/camera_scan_flashlight_margin_top"
  20.         android:contentDescription="@null"
  21.         android:src="@drawable/camera_scan_flashlight_selector" />
  22. </FrameLayout>
复制代码
修改getLayoutId()方法
  1.     /**
  2.      * 布局ID;通过覆写此方法可以自定义布局
  3.      *
  4.      * @return 布局ID
  5.      */
  6.     override fun getLayoutId(): Int {
  7.         //设置屏幕常亮
  8.         window.addFlags(WindowManager.LayoutParams.FLAG_KEEP_SCREEN_ON)
  9. //        return super.getLayoutId()
  10.         return R.layout.activity_scan_zxing_full_custom
  11.     }
复制代码
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

泉缘泉

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表