话说现在检测人脸的技术有很多。有在线AI服务,比如Megvii Face++,Microsoft Cognitive Services,Tencent AI等等。还有本地的库实现的,比如OpenCV。

但是这些这篇文章都不讨论,微软在 .NETCore里面也提供了一种本地检测人脸的API,那就是Windows.Media.FaceAnalysis

.NetCore在你新建通用UWP应用的时候,Nuget自动添加了。

那么接下来,我们在设计Xaml代码的时候,加两个按钮,一个是选择图片,一个是检测人脸。

再建一个Canvas控件,用来显示图片。

之所以用Canvas画布,不用Image,是因为我们还需要在图片上画出一个矩形框,框出识别的人脸位置和大小呢。

<Grid Background="{ThemeResource ApplicationPageBackgroundThemeBrush}">
<Grid.RowDefinitions>
<RowDefinition Height="30"/>
<RowDefinition/>
</Grid.RowDefinitions>
<Grid.ColumnDefinitions>
<ColumnDefinition/>
<ColumnDefinition/>
</Grid.ColumnDefinitions> <Button Content="Choose Picture" Click="ChoosePicture"/>
<Button Grid.Column="1" Content="Detect Face" Click="DetectFace"/> <Canvas x:Name="canvasDetected" Grid.ColumnSpan="2" Grid.Row="1"  VerticalAlignment="Stretch" HorizontalAlignment="Stretch"/>
</Grid>

然后开始写代码,选择图片的逻辑很简单,只需要选择一个图片,显示到Canvas中即可。

private async void ChoosePicture(object sender, RoutedEventArgs e)
{
FileOpenPicker openPicker = new FileOpenPicker();
openPicker.ViewMode = PickerViewMode.Thumbnail;
openPicker.SuggestedStartLocation = PickerLocationId.PicturesLibrary;
openPicker.FileTypeFilter.Add(".bmp");
openPicker.FileTypeFilter.Add(".png");
openPicker.FileTypeFilter.Add(".jpeg");
openPicker.FileTypeFilter.Add(".jpg");
StorageFile file = await openPicker.PickSingleFileAsync();
if (file != null)
{
using (IRandomAccessStream strm = await file.OpenAsync(Windows.Storage.FileAccessMode.Read))
{
BitmapDecoder decoder = await BitmapDecoder.CreateAsync(strm);
BitmapTransform transform = new BitmapTransform();
source = await decoder.GetSoftwareBitmapAsync(); WriteableBitmap displaySource = new WriteableBitmap(source.PixelWidth, source.PixelHeight);
source.CopyToBuffer(displaySource.PixelBuffer); ImageBrush brush = new ImageBrush();
brush.ImageSource = displaySource;
brush.Stretch = Stretch.Uniform;
canvasDetected.Background = brush;
canvasDetected.Children.Clear();
}
}
}

遇到红色波浪线提示的,用VS自动修复功能,自动添加引用即可。

还有一个source没有定义,不慌,反正下一步就要检测人脸了,我们来看一看FaceDetector的定义

namespace Windows.Media.FaceAnalysis
{
//
// 摘要:
// 在 SoftwareBitmap 中检测人脸。
[ContractVersion(typeof(UniversalApiContract), )]
[MarshalingBehavior(MarshalingType.Agile)]
[Static(typeof(IFaceDetectorStatics), , "Windows.Foundation.UniversalApiContract")]
[Threading(ThreadingModel.Both)]
public sealed class FaceDetector : IFaceDetector
{
//
// 摘要:
// 异步检测提供的 SoftwareBitmap 中的人脸。
//
// 参数:
// image:
// 要进行人脸检测处理的图像数据。
//
// 返回结果:
// 一个异步操作,在成功完成时返回 DetectedFace 对象的列表。
[Overload("DetectFacesAsync")]
[RemoteAsync]
public IAsyncOperation<IList<DetectedFace>> DetectFacesAsync(SoftwareBitmap image);
}
}

看到没,使用FaceDetector需要一个SoftwareBitmap,那么好了,我们定义一个私有变量SoftwareBitmap source即可。

然后写检测的代码,

private async void DetectFace(object sender, RoutedEventArgs e)
{
const BitmapPixelFormat faceDetectionPixelFormat = BitmapPixelFormat.Gray8;
SoftwareBitmap converted;
if (source.BitmapPixelFormat != faceDetectionPixelFormat)
{
converted = SoftwareBitmap.Convert(source, faceDetectionPixelFormat);
}
else
{
converted = source;
} FaceDetector faceDetector = await FaceDetector.CreateAsync();
IList<DetectedFace> detectedFaces = await faceDetector.DetectFacesAsync(converted);
DrawBoxes(detectedFaces);  //这个功能在实际场景中使用不多,在这可以写你的实际业务场景
}

画人脸矩形:


        //这个功能在实际场景中使用不多
        private void DrawBoxes(IList<DetectedFace> detectedFaces)
{
if (detectedFaces != null)
{
//get the scaling factor
double scaleWidth = source.PixelWidth / this.canvasDetected.ActualWidth;
double scaleHeight = source.PixelHeight / this.canvasDetected.ActualHeight;
double scalingFactor = scaleHeight > scaleWidth ? scaleHeight : scaleWidth; //get the display width of the image.
double displayWidth = source.PixelWidth / scalingFactor;
double displayHeight = source.PixelHeight / scalingFactor; //get the delta width/height between canvas actual width and the image display width
double deltaWidth = this.canvasDetected.ActualWidth - displayWidth;
double deltaHeight = this.canvasDetected.ActualHeight - displayHeight; SolidColorBrush lineBrush = new SolidColorBrush(Windows.UI.Colors.White);
double lineThickness = 2.0;
SolidColorBrush fillBrush = new SolidColorBrush(Windows.UI.Colors.Transparent); foreach (DetectedFace face in detectedFaces)
{
Rectangle box = new Rectangle();
box.Tag = face.FaceBox;
//scale the box with the scaling factor
box.Width = face.FaceBox.Width / scalingFactor;
box.Height = face.FaceBox.Height / scalingFactor;
box.Fill = fillBrush;
box.Stroke = lineBrush;
box.StrokeThickness = lineThickness;
//set coordinate of the box in the canvas
box.Margin = new Thickness((uint)(face.FaceBox.X / scalingFactor + deltaWidth / ), (uint)(face.FaceBox.Y / scalingFactor + deltaHeight / ), , );
this.canvasDetected.Children.Add(box);
}
}
}

其实,像上面的DrawBoxes注释那样,一般用的还不算多。

我的项目都是判断如果detectedFaces不是null的话,接下来就可以调用云API来实现人脸搜索了,毕竟这个本地微软的api还做不到。

下面看一下效果

 总结

微软提供的FaceDetector还是挺实用的,毕竟可以节约我们一遍一遍像服务器发送请求检测人脸的开支了,虽然云API检测人脸并不贵,face++的10000次才一块钱。毕竟你上传图片,还不要带宽资源吧。万一碰到个网络不好,那不是还要再请求一次。。。哈哈,折腾点。

不过这个也随便了,看自己喜好吧。

UWP 使用Windows.Media.FaceAnalysis.FaceDetector检测人脸的更多相关文章

  1. iOS开发中使用CIDetector检测人脸

    在iOS5 系统中,苹果就已经有了检测人脸的api,能够检测人脸的位置,包括左右眼睛,以及嘴巴的位置,返回的信息是每个点位置.在 iOS7中,苹果又加入了检测是否微笑的功能.通过使用 CIDetect ...

  2. Windows Server 2003从入门到精通之Windows Media Server流媒体服务器架建[转]

    今天我们来做一个windows media server流媒体格式文件的流媒体服务器. 现在市面上能够买到的一些电影文件有 rm格式和wmv格式.还有一些是DivX技术的avi格式,要想让你的服务器对 ...

  3. System.Windows.Media.Imageing.BItmapImage 这么用才不会占用文件

    // Read byte[] from png file BinaryReader binReader = new BinaryReader(File.Open(filepath, FileMode. ...

  4. win7自带windows media player 已停止工作

    解决方法如下: 在计算机开始,菜单找到控制面板 ,然后打开程序和功能,选择打开或关闭window功能,媒体功能.再取消windows Media Center Windows MediaPlayer选 ...

  5. Windows Media Player安装了却不能播放网页上的视频

    前段时间遇到Windows Media Player安装了却不能播放网页上的视频的问题,在网上查找资料时,发现大部分资料都没能解决我这个问题.偶尔试了网上一牛人的方法,后来竟然解决了.现在再找那个网页 ...

  6. 如何在Windows中打开多个Windows Media Player

    博客搬到了fresky.github.io - Dawei XU,请各位看官挪步.最新的一篇是:如何在Windows中打开多个Windows Media Player.

  7. Windows Media Player axWindowsMediaPlayer1 分类: C# 2014-07-28 12:04 195人阅读 评论(0) 收藏

    属性/方法名: 说明: [基本属性] URL:String; 指定媒体位置,本机或网络地址 uiMode:String; 播放器界面模式,可为Full, Mini, None, Invisible p ...

  8. Windows Media Player Plus

    Windows Media Player Plus 是一款 Windows Media Player 的插件,提供很多实用功能,Mark 一下.

  9. windows media player 中播放pls的方法

    windows media player目前只能播放 wpl 和 asm格式的列表文件.而linux下mplayer和vlc支持的pls,很遗憾没法支持. 不过,老外写了个“open pls in w ...

随机推荐

  1. css(外部样式表)中各种选择器(定义属性时)的优先级

    今天在学css的时候遇到一个问题,用css的外部样式表改变一个<p>元素的颜色,死活就是改变不了,最后才发现是优先级的问题(我自己想当然成后面的优先级就高了,犯了经验主义错误). 先给大家 ...

  2. 2017java文件操作(读写操作)

    java的读写操作是学java开发的必经之路,下面就来总结下java的读写操作. 从上图可以开出,java的读写操作(输入输出)可以用"流"这个概念来表示,总体而言,java的读写 ...

  3. boost asio allocation

    allocation演示了自定义异步操作的内存分配策略,因为asio在执行异步IO操作时会使用系统函数来动态分配内存,使用完后便立即释放掉:在IO操作密集的应用中,这种内存动态分配策略会较大地影响程序 ...

  4. Nslookup命令小结

    Nslookup命令小结 0.nslookup的定义 Nslookup是由微软发布用于对DNS服务器进行检测和排错的命令行工具.   两种模式: 一.非交互模式     nslookup –qt=类型 ...

  5. 描述下@Component,@Repository,@Service,@Scope,@Autowired,@Inject,@Value标记的作用

    1.@Component为通用注解. 2.@Repository为持久层组件注解. 3.@Service为业务层组件注解. 4.@Scope为Bean的作用域注解. 5.@Autowired,@Inj ...

  6. [BZOJ4034] [HAOI2015] T2 (树链剖分)

    Description 有一棵点数为 N 的树,以点 1 为根,且树点有边权.然后有 M 个操作,分为三种: 操作 1 :把某个节点 x 的点权增加 a . 操作 2 :把某个节点 x 为根的子树中所 ...

  7. JDK1.8源码(一)——java.lang.Object类

    本系列博客将对JDK1.8版本的相关类从源码层次进行介绍,JDK8的下载地址. 首先介绍JDK中所有类的基类——java.lang.Object. Object 类属于 java.lang 包,此包下 ...

  8. body里面的onload和window.onload的区别

    区别:body里面的onload是在“页面加载完成后执行的动作” window里面的onload是在“页面加载时执行的动作” 例子:在html页面中有一个大图片,想要在图片显示出来后提示一个消息框“图 ...

  9. webpack深入场景——开发环境和生产环境配置

    以前自己写一小项目时,webpack的配置基本就是一套配置,没有考虑生产环境和开发环境的区分,最近在做一个复杂的商城项目接触到了webpack的高级配置,经过两天的研究,写出了一份目前来说比叫满意的配 ...

  10. DevExpress中GridControl自定义汇总列值(有选择性的汇总)

    今天碰到有同事遇到这个方面的需求,贴一下吧. private void gvTop_CustomSummaryCalculate(object sender, CustomSummaryEventAr ...