如何用MediaCapture解決二維碼掃描問題

来源:http://www.cnblogs.com/ms-uap/archive/2016/03/25/5311782.html
-Advertisement-
Play Games

二維碼掃描的實現,簡單的來說可以分三步走:“成像”、“截圖”與“識別”。 UWP開發中,最常用的媒體工具非MediaCapture莫屬了,下麵就來簡單介紹一下如何利用MediaCapture來實現掃描和截圖並且利用Zxing識別二維碼,以及會遇到的問題和需要註意的地方。 1. 初始化與成像 1 pr ...


二維碼掃描的實現,簡單的來說可以分三步走:“成像”、“截圖”與“識別”。

UWP開發中,最常用的媒體工具非MediaCapture莫屬了,下麵就來簡單介紹一下如何利用MediaCapture來實現掃描和截圖並且利用Zxing識別二維碼,以及會遇到的問題和需要註意的地方。

1. 初始化與成像

 1 private async void InitMediaCaptureAsync()
 2         {
 3             //尋找後置攝像頭
 4             var allVideoDevices = await DeviceInformation.FindAllAsync(DeviceClass.VideoCapture);
 5             var cameraDevice = allVideoDevices.FirstOrDefault(x => x.EnclosureLocation != null && x.EnclosureLocation.Panel == Windows.Devices.Enumeration.Panel.Back);
 6 
 7             if (cameraDevice == null)
 8             {
 9                 Debug.WriteLine("No camera device found!");
10 
11                 return;
12             }
13 
14             var settings = new MediaCaptureInitializationSettings
15             {
16                 StreamingCaptureMode = StreamingCaptureMode.Video,
17                 //必須,否則截圖的時候會很卡很慢
18                 PhotoCaptureSource = PhotoCaptureSource.VideoPreview,
19                 VideoDeviceId = cameraDevice.Id
20             };
21 
22             _mediaCapture = new MediaCapture();
23 
24             try
25             {
26                 await _mediaCapture.InitializeAsync(settings);
27                 _initialized = true;//初始化成功
28             }
29             catch (UnauthorizedAccessException)
30             {
31                 Debug.WriteLine("The app was denied access to the camera");
32             }
33             catch (Exception ex)
34             {
35                 Debug.WriteLine("Exception when initializing MediaCapture with {0}: {1}", cameraDevice.Id, ex.ToString());
36             }
37 
38             if (_initialized)
39             {
40                 var focusControl = _mediaCapture.VideoDeviceController.FocusControl;
41 
42                 if (focusControl.Supported)
43                 {
44                     var focusSettings = new FocusSettings()
45                     {
46                         Mode = focusControl.SupportedFocusModes.FirstOrDefault(f => f == FocusMode.Continuous),
47                         DisableDriverFallback = true,
48                         AutoFocusRange = focusControl.SupportedFocusRanges.FirstOrDefault(f => f == AutoFocusRange.FullRange),
49                         Distance = focusControl.SupportedFocusDistances.FirstOrDefault(f => f == ManualFocusDistance.Nearest)
50                     };
51 
52                     //設置聚焦,最好使用FocusMode.Continuous,否則影響截圖會很模糊,不利於識別
53                     focusControl.Configure(focusSettings);
54                 }
55 
56                 captureElement.Source = _mediaCapture;
57                 captureElement.FlowDirection = FlowDirection.LeftToRight;
58 
59                 try
60                 {
61                     await _mediaCapture.StartPreviewAsync();
62                     _previewing = true;
63                 }
64                 catch (Exception ex)
65                 {
66                     Debug.WriteLine("Exception when starting the preview: {0}", ex.ToString());
67                 }
68 
69                 if (_previewing)
70                 {
71                     try
72                     {
73                         if (_mediaCapture.VideoDeviceController.FlashControl.Supported)
74                         {
75                             //關閉閃光燈
76                             _mediaCapture.VideoDeviceController.FlashControl.Enabled = false;
77                         }
78                     }
79                     catch
80                     {
81                     }
82 
83                     if (focusControl.Supported)
84                     {
85                         //開始聚焦
86                         await focusControl.FocusAsync();
87                     }
88                 }
89             }
90         }
View Code

2. 截圖與識別

1 private void InitTimer()
2         {
3             _timer = new DispatcherTimer();
4             //每50毫秒截一次圖
5             _timer.Interval = TimeSpan.FromMilliseconds(50);
6             _timer.Tick += _timer_Tick;
7             _timer.Start();
8         }
View Code
 1 private async void _timer_Tick(object sender, object e)
 2         {
 3             using (var stream = new InMemoryRandomAccessStream())
 4             {
 5                 var previewProperties = _mediaCapture.VideoDeviceController.GetMediaStreamProperties(MediaStreamType.VideoPreview) as VideoEncodingProperties;
 6                 //將截圖寫入記憶體流中
 7                 await _mediaCapture.CapturePhotoToStreamAsync(ImageEncodingProperties.CreateJpeg(), stream);
 8 
 9                 //利用Zxing識別,成功:停止timer;失敗:繼續
10                 var reader = new BarcodeReader();
11                 var bitmapWriteable = new WriteableBitmap((int)previewProperties.Width, (int)previewProperties.Height);
12                 bitmapWriteable.SetSource(stream);
13                 var result = reader.Decode(bitmapWriteable);
14 
15                 if (!string.IsNullOrEmpty(result.Text))
16                 {
17                     _timer.Stop();
18                 }
19             }
20         }
View Code

這裡順便說一下如何安裝Zxing,打開nuget管理器 命令視窗輸入 Install-Package ZXing.Net ,回車; 關於Zxing如何使用,到網上搜索一下有很多教程,這裡不再贅述

3. 問題與優化

A) 截圖有響聲

使用CapturePhotoToStreamAsync來截取圖片有的時候會有“咔擦咔擦”聲,很影響用戶體驗,最理想的做法是找到一種能從視頻流中直接截取圖片的方法,在這裡不得不說一句MediaCapture真的真的很強大,MediaCapture給我們提供了直接從視頻流中取出其中一幀的方法GetPreviewFrameAsync,於是我把代碼進行瞭如下修改,即流暢又沒有煩人的“咔擦咔擦”聲

 1 private async void _timer_Tick(object sender, object e)
 2         {
 3             var previewProperties = _mediaCapture.VideoDeviceController.GetMediaStreamProperties(MediaStreamType.VideoPreview) as VideoEncodingProperties;
 4 
 5             using (var videoFrame = new VideoFrame(BitmapPixelFormat.Rgba8, (int)previewProperties.Width, (int)previewProperties.Height))
 6             {
 7                 using (var currentFrame = await _mediaCapture.GetPreviewFrameAsync(videoFrame))
 8                 {
 9                     using (var previewFrame = currentFrame.SoftwareBitmap)
10                     {
11                         var buffer = new Windows.Storage.Streams.Buffer((uint)(4 * previewFrame.PixelWidth * previewFrame.PixelHeight));
12                         previewFrame.CopyToBuffer(buffer);
13 
14                         using (var stream = buffer.AsStream().AsRandomAccessStream())
15                         {
16                             //利用Zxing識別,成功:停止timer;失敗:繼續
17                             var reader = new BarcodeReader();
18                             var bitmapWriteable = new WriteableBitmap((int)previewProperties.Width, (int)previewProperties.Height);
19                             bitmapWriteable.SetSource(stream);
20                             var result = reader.Decode(bitmapWriteable);
21 
22                             if (!string.IsNullOrEmpty(result.Text))
23                             {
24                                 _timer.Stop();
25                             }
26                         }
27                     }
28                 }
29             }            
30         }
View Code

順便提一下記得要使用如下兩個命名空間

using System.IO;
using System.Runtime.InteropServices.WindowsRuntime;

否則無法實現buffer.AsStream().AsRandomAccessStream()

B) 連續聚焦

並不是所有機型都支持連續聚焦的(FocusMode.Continuous),這個時候只能自己實現間斷性持續聚焦了

C) 截圖之後圖片處理

有的時候為了實現一些功能(比如說掃描框)或者提高識別率,我們需要對截取出來的圖片進行一些二次處理,或剪裁或縮放或旋轉,我們可以使用BitmapDecoder和BitmapEncoder來實現

using (var stream = buffer.AsStream().AsRandomAccessStream())
{
      var decoder = await BitmapDecoder.CreateAsync(BitmapDecoder.JpegDecoderId, stream);
      var destStream = new InMemoryRandomAccessStream();

      var encoder = await BitmapEncoder.CreateForTranscodingAsync(destStream, decoder);
                            
      //剪裁
      encoder.BitmapTransform.Bounds = new BitmapBounds() { X = 0, Y = 0, Width = 100, Height = 100 };
      //縮放
      encoder.BitmapTransform.ScaledWidth = 100;
      encoder.BitmapTransform.ScaledHeight = 100;
      //旋轉
      encoder.BitmapTransform.Rotation = BitmapRotation.Clockwise90Degrees;

      await encoder.FlushAsync();
      await destStream.FlushAsync();
}

D) 掛起和喚醒

另外值得註意的是,程式在Suspending和Resuming還有Activated時出現的一系列狀態轉換,這時候很容易引起bug,需要處理好避免crash。

4. 最後

識別出來的字元串處理一般也就超鏈接和普通文本兩種,當然也可以增加條碼掃描功能,識別出的是編碼,不管怎樣,大家可以根據項目具體需求做相應的處理。


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 術語約定文章中會反覆出現[值類型]、[包裝類型]、[普通引用類型]、[元素節點]和[元素取值]的表述1> [值類型]指的是java和.NET中的基本數據類型,如:int;2> [包裝類型]指的是java中的包裝類和.NET中的Nullable<T>類型,如:Integer、int?;3> [普通引用 ...
  • 一般做OA類管理系統,經常涉及到“組織架構”的概念,那麼像這種有上下層級關係的數據一般會做成樹形菜單的方式顯示,底層代碼必定會用到遞歸演算法。這篇隨筆的目的就是要談談除了用樹形菜單來顯示這種上下層級關係的數據,還有其他的顯示方式嗎?答案是有的,例如即將要談到的二維表顯示方式,同時也是本隨筆的核心內容。 ...
  • 手裡在做的一個自用的多用戶進銷存項目,碰到了以下使用場景: 1、為了每個店鋪/倉庫的用戶都能及時獲得更新,軟體採用了clickOnce部署方式,這就導致了只要知道發佈地址,任何人都可以進行下載了。 2、現在只購買了一個SQL資料庫空間,並沒有購買虛擬主機之類的web空間(部署用的空間是用3322解析 ...
  • 回到目錄 這個文章對之前EF的一個補充,對於一些自關聯表的添加,如果你建立了表約束確實有這種問題,一般主鍵為整形自增,父ID為可空,這時,在添加時如果不為ID賦值,結果就會出錯。 錯誤: 無法確定依賴操作的有效順序。由於外鍵約束、模型要求或存儲生成的值,因此可能存在依賴關係。 解決: 結果: 回到目 ...
  • 聽說最近又出了什麼SAM,MVC輝煌即將過去,驚了我一身冷汗,ASP.NET MVC是啥都還沒搞明白呢 於是趕緊打開ASP.NET官網學習學習,斗膽將筆記發發出來,歡迎各位高手大俠來點建議 ASP.NET MVC系列:開始 ASP.NET MVC系列:添加控制器 ASP.NET MVC系列:添加視圖 ...
  • 首先,在模型類中引用 System.ComponentModel.DataAnnotations 命名空間;System.ComponentModel.DataAnnotations 命名空間提供定義 ASP.NET MVC 和 ASP.NET 數據控制項的類的特性(即內置驗證屬性,你可以使用聲明的任 ...
  • 提供對查詢結果和查詢對資料庫的影響 此枚舉有一個 FlagsAttribute 屬性,通過該屬性可使其成員值按位組合。 命名空間: System.Data程式集: System.Data(在 System.Data.dll 中) 語法: Default:此查詢可能返回多個結果集。執行查詢可能會影響數 ...
  • 最近需要寫一個正則去匹配一個小數(小數非負,保留兩位),為方便和大家一塊兒學習研究,特意將我分析正則的過程寫下來。 第一,分析都會有哪些是合法的可以匹配的,以及非法的字元,先列舉下來。合法的有1、1.11、0.12、0.3、0、0.00,非法的可能會出現001、01.1、01.、-1、1.123等等 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...