文章目录

  • 一、人脸采集系统
    • 1.人脸识别
      • 1.1、使用说明
      • 1.2、安装jar到本地仓库
      • 1.3、开始使用
      • 1.4、测试
    • 2.图片上传
      • 2.1、图片存储解决方案
      • 2.2、阿里云OSS存储
        • 2.2.1、什么是OSS服务?
        • 2.2.2、购买服务
        • 2.2.3、创建Bucket
        • 2.2.2.4、创建用户
      • 2.2.3、导入依赖
      • 2.2.4、OSS配置
      • 2.2.5、PicUploadService
      • 2.2.6、PicUploadController
      • 2.2.7、测试
    • 3.人脸采集系统搭建
      • 3.1导入依赖
      • 3.2配置文件
      • 3.3编写controller
      • 3.4编写service
      • 3.5启动测试
  • 二、分布式系统中相关概念
    • 1.大型互联网项目架构目标
    • 2.集群和分布式
    • **3.系统架构的发展**

一、人脸采集系统

1.人脸识别

人脸识别技术采用虹软开放平台实现(免费使用)。官网:https://www.arcsoft.com.cn/

1.1、使用说明

使用虹软平台需要先注册开发者账号:https://ai.arcsoft.com.cn/ucenter/user/userlogin

注册完成后进行登录,然后进行创建应用:

创建完成后,需要进行实名认证,否则相关的SDK是不能使用的。

实名认证后即可下载对应平台的SDk,我们需要下载windows以及linux平台。

添加SDK(Linux与Windows平台):

下载SDK,打开解压包,可以看到有提供相应的jar包以及示例代码:

需要特别说明的是:每个账号的SDK包不通用,所以自己要下载自己的SDK包。

1.2、安装jar到本地仓库

进入到libs目录,需要将arcsoft-sdk-face-3.0.0.0.jar安装到本地仓库:

mvn install:install-file -DgroupId=com.arcsoft.face -DartifactId=arcsoft-sdk-face -Dversion=3.0.0.0 -Dpackaging=jar -Dfile=arcsoft-sdk-face-3.0.0.0.jar

安装成功后,即可通过maven坐标引用了:

<dependency><groupId>com.arcsoft.face</groupId><artifactId>arcsoft-sdk-face</artifactId><version>3.0.0.0</version><!--<scope>system</scope>--><!--如果没有安装到本地仓库,可以将jar包拷贝到工程的lib下面下,直接引用--><!--<systemPath>${project.basedir}/lib/arcsoft-sdk-face-3.0.0.0.jar</systemPath>-->
</dependency>

1.3、开始使用

说明:虹软的SDK是免费使用的,但是首次使用时需要联网激活,激活后可离线使用。使用周期为1年,1年后需要联网再次激活。

个人免费激活SDK总数量为100。

配置:application.properties

#虹软相关配置(在虹软应用中找到对应的参数)
arcsoft.appid=******************
arcsoft.sdkKey=*****************
arcsoft.libPath=F:\\code\\WIN64

FaceEngineService:

import com.arcsoft.face.EngineConfiguration;
import com.arcsoft.face.FaceEngine;
import com.arcsoft.face.FaceInfo;
import com.arcsoft.face.FunctionConfiguration;
import com.arcsoft.face.enums.DetectMode;
import com.arcsoft.face.enums.DetectOrient;
import com.arcsoft.face.enums.ErrorInfo;
import com.arcsoft.face.enums.ImageFormat;
import com.arcsoft.face.toolkit.ImageFactory;
import com.arcsoft.face.toolkit.ImageInfo;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Service;import javax.annotation.PostConstruct;
import java.io.File;
import java.util.ArrayList;
import java.util.List;@Service
public class FaceEngineService {private static final Logger LOGGER = LoggerFactory.getLogger(FaceEngineService.class);@Value("${arcsoft.appid}")private String appid;@Value("${arcsoft.sdkKey}")private String sdkKey;@Value("${arcsoft.libPath}")private String libPath;private FaceEngine faceEngine;@PostConstructpublic void init() {// 激活并且初始化引擎FaceEngine faceEngine = new FaceEngine(libPath);int activeCode = faceEngine.activeOnline(appid, sdkKey);if (activeCode != ErrorInfo.MOK.getValue() && activeCode != ErrorInfo.MERR_ASF_ALREADY_ACTIVATED.getValue()) {LOGGER.error("引擎激活失败");throw new RuntimeException("引擎激活失败");}//引擎配置EngineConfiguration engineConfiguration = new EngineConfiguration();//IMAGE检测模式,用于处理单张的图像数据engineConfiguration.setDetectMode(DetectMode.ASF_DETECT_MODE_IMAGE);//人脸检测角度,全角度engineConfiguration.setDetectFaceOrientPriority(DetectOrient.ASF_OP_ALL_OUT);//功能配置FunctionConfiguration functionConfiguration = new FunctionConfiguration();functionConfiguration.setSupportAge(true);functionConfiguration.setSupportFace3dAngle(true);functionConfiguration.setSupportFaceDetect(true);functionConfiguration.setSupportFaceRecognition(true);functionConfiguration.setSupportGender(true);functionConfiguration.setSupportLiveness(true);functionConfiguration.setSupportIRLiveness(true);engineConfiguration.setFunctionConfiguration(functionConfiguration);//初始化引擎int initCode = faceEngine.init(engineConfiguration);if (initCode != ErrorInfo.MOK.getValue()) {LOGGER.error("初始化引擎出错!");throw new RuntimeException("初始化引擎出错!");}this.faceEngine = faceEngine;}/*** 检测图片是否为人像** @param imageInfo 图像对象* @return true:人像,false:非人像*/public boolean checkIsPortrait(ImageInfo imageInfo) {// 定义人脸列表List<FaceInfo> faceInfoList = new ArrayList<FaceInfo>();faceEngine.detectFaces(imageInfo.getImageData(), imageInfo.getWidth(), imageInfo.getHeight(), ImageFormat.CP_PAF_BGR24, faceInfoList);return !faceInfoList.isEmpty();}public boolean checkIsPortrait(byte[] imageData) {return this.checkIsPortrait(ImageFactory.getRGBData(imageData));}public boolean checkIsPortrait(MultipartFile multipartFile) {try{return this.checkIsPortrait(ImageFactory.getRGBData(multipartFile.getBytes()));}catch(Exception e){e.printStackTrace();}return false;}public boolean checkIsPortrait(File file) {return this.checkIsPortrait(ImageFactory.getRGBData(file));}}
#问题:
Caused by: java.lang.UnsatisfiedLinkError: D:\gongju\renlian\haha\libs\WIN64\libarcsoft_face.dll: Can't find dependent libraries解决:
安装资料中的:vcredist_x64.exe,即可解决。

1.4、测试

import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringJUnit4ClassRunner;import java.io.File;@SpringBootTest
@RunWith(SpringJUnit4ClassRunner.class)
public class TestFaceEngineService {@Autowiredprivate FaceEngineService faceEngineService;@Testpublic void testCheckIsPortrait(){File file = new File("F:\\1.jpg");boolean checkIsPortrait = this.faceEngineService.checkIsPortrait(file);System.out.println(checkIsPortrait); // true|false}
}

2.图片上传

2.1、图片存储解决方案

实现图片上传服务,需要有存储的支持,那么我们的解决方案将以下几种:

  1. 直接将图片保存到服务的硬盘

    1. 优点:开发便捷,成本低
    2. 缺点:扩容困难
  2. 使用分布式文件系统进行存储
    1. 优点:容易实现扩容
    2. 缺点:开发复杂度稍大(有成熟的产品可以使用,比如:FastDFS)
  3. 使用nfs做存储
    1. 优点:开发较为便捷
    2. 缺点:需要有一定的运维知识进行部署和维护
  4. 使用第三方的存储服务
    1. 优点:开发简单,拥有强大功能,免维护
    2. 缺点:付费

在本案例中选用阿里云的OSS服务进行图片存储。

2.2、阿里云OSS存储

2.2.1、什么是OSS服务?

地址:https://www.aliyun.com/product/oss

2.2.2、购买服务

使用第三方服务最大的缺点就是需要付费,下面,我们看下如何购买开通服务。

购买下行流量包: (不购买也可以使用,按照流量付费)

说明:OSS的上行流量是免费的,但是下行流量是需要购买的。

2.2.3、创建Bucket

使用OSS,首先需要创建Bucket,Bucket翻译成中文是水桶的意思,把存储的图片资源看做是水,想要盛水必须得有桶,就是这个意思了。

进入控制台,https://oss.console.aliyun.com/overview

选择Bucket后,即可看到对应的信息,如:url、消耗流量等 :

文件管理:

查看文件:

2.2.2.4、创建用户

打开访问控制,需要设置oss权限。

2.2.3、导入依赖

<dependency><groupId>com.aliyun.oss</groupId><artifactId>aliyun-sdk-oss</artifactId><version>2.8.3</version>
</dependency>

2.2.4、OSS配置

aliyun.properties:

aliyun.endpoint = http://oss-cn-beijing.aliyuncs.com
aliyun.accessKeyId = LTAI5tKy8djwYHDaQ3QjpcKJ
aliyun.accessKeySecret = hYSDMNLsEIOqdjsnPtIlzmnfdWB0y11
aliyun.bucketName= itcast-face
aliyun.urlPrefix=http://itcast-face.oss-cn-beijing.aliyuncs.com

AliyunConfig:


import com.aliyun.oss.OSSClient;
import lombok.Data;
import org.springframework.boot.context.properties.ConfigurationProperties;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.PropertySource;@Configuration
@PropertySource("classpath:aliyun.properties")
@ConfigurationProperties(prefix = "aliyun")
@Data
public class AliyunConfig {private String endpoint;private String accessKeyId;private String accessKeySecret;private String bucketName;private String urlPrefix;@Beanpublic OSSClient oSSClient() {return new OSSClient(endpoint, accessKeyId, accessKeySecret);}}

2.2.5、PicUploadService


import com.aliyun.oss.OSSClient;
import org.apache.commons.lang3.RandomUtils;
import org.apache.commons.lang3.StringUtils;
import org.joda.time.DateTime;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import org.springframework.web.multipart.MultipartFile;import java.io.ByteArrayInputStream;@Service
public class PicUploadService {// 允许上传的格式private static final String[] IMAGE_TYPE = new String[]{".bmp", ".jpg",".jpeg", ".gif", ".png"};@Autowiredprivate OSSClient ossClient;@Autowiredprivate AliyunConfig aliyunConfig;public PicUploadResult upload(MultipartFile uploadFile) {PicUploadResult fileUploadResult = new PicUploadResult();//图片做校验,对后缀名boolean isLegal = false;for (String type : IMAGE_TYPE) {if (StringUtils.endsWithIgnoreCase(uploadFile.getOriginalFilename(),type)) {isLegal = true;break;}}if (!isLegal) {fileUploadResult.setStatus("error");return fileUploadResult;}// 文件新路径String fileName = uploadFile.getOriginalFilename();String filePath = getFilePath(fileName);// 上传到阿里云try {// 目录结构:images/2018/12/29/xxxx.jpgossClient.putObject(aliyunConfig.getBucketName(), filePath, newByteArrayInputStream(uploadFile.getBytes()));} catch (Exception e) {e.printStackTrace();//上传失败fileUploadResult.setStatus("error");return fileUploadResult;}// 上传成功fileUploadResult.setStatus("done");fileUploadResult.setName(this.aliyunConfig.getUrlPrefix() + filePath);fileUploadResult.setUid(String.valueOf(System.currentTimeMillis()));return fileUploadResult;}private String getFilePath(String sourceFileName) {DateTime dateTime = new DateTime();return "/images/" + dateTime.toString("yyyy")+ "/" + dateTime.toString("MM") + "/"+ dateTime.toString("dd") + "/" + System.currentTimeMillis() +RandomUtils.nextInt(100, 9999) + "." +StringUtils.substringAfterLast(sourceFileName, ".");}}

所需其他的代码:

PicUploadResult:


import lombok.Data;@Data
public class PicUploadResult {// 文件唯一标识private String uid;// 文件名private String name;// 状态有:uploading done error removedprivate String status;// 服务端响应内容,如:'{"status": "success"}'private String response;}

2.2.6、PicUploadController


import com.tanhua.sso.service.PicUploadService;
import com.tanhua.sso.vo.PicUploadResult;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.multipart.MultipartFile;@RequestMapping("pic/upload")
@Controller
public class PicUploadController {@Autowiredprivate PicUploadService picUploadService;@PostMapping@ResponseBodypublic PicUploadResult upload(@RequestParam("file") MultipartFile multipartFile) {return this.picUploadService.upload(multipartFile);}
}

2.2.7、测试


3.人脸采集系统搭建

3.1导入依赖

<dependencies><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-test</artifactId><scope>test</scope></dependency><dependency><groupId>org.projectlombok</groupId><artifactId>lombok</artifactId><optional>true</optional><version>1.18.4</version></dependency><dependency><groupId>com.arcsoft.face</groupId><artifactId>arcsoft-sdk-face</artifactId><version>3.0.0.0</version><!--<scope>system</scope>--><!--如果没有安装到本地仓库,可以将jar包拷贝到工程的lib下面下,直接引用--><!--<systemPath>${project.basedir}/lib/arcsoft-sdk-face-3.0.0.0.jar</systemPath>--></dependency><dependency><groupId>junit</groupId><artifactId>junit</artifactId><scope>test</scope></dependency><dependency><groupId>com.aliyun.oss</groupId><artifactId>aliyun-sdk-oss</artifactId><version>2.8.3</version></dependency><dependency><groupId>joda-time</groupId><artifactId>joda-time</artifactId><version>2.9.9</version></dependency><dependency><groupId>org.apache.commons</groupId><artifactId>commons-lang3</artifactId><version>3.7</version></dependency>
</dependencies>

3.2配置文件

aliyun.properties

aliyun.endpoint = http://oss-cn-beijing.aliyuncs.com
aliyun.accessKeyId = LTAI5tKy8djwYHDaQ3QjpcKJ
aliyun.accessKeySecret = hYSDMNLsEIOqdjsnPtIlzmnfdWB0y1
aliyun.bucketName= itcast-face
aliyun.urlPrefix=http://itcast-face.oss-cn-beijing.aliyuncs.com

application.properties 虹软配置

#虹软相关配置
arcsoft.appid=AunLcwhQm4sk4vbsNdPotg1G9cughEUnom5jF63jsqsW
arcsoft.sdkKey=7mB6wNGYFAGuTiL8k2MGKsvQRHrHWkJ4jYZnqqLvGjbS
arcsoft.libPath=E:\\code\\WIN64

3.3编写controller


import com.itheima.service.FaceCollectService;
import com.itheima.vo.PictureVo;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.multipart.MultipartFile;@RequestMapping("head/collect")
@Controller
public class FaceCollectController {@Autowiredprivate FaceCollectService faceCollectService;@PostMapping@ResponseBodypublic PictureVo upload(@RequestParam("file") MultipartFile multipartFile) {return this.faceCollectService.upload(multipartFile);}
}

3.4编写service


import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import org.springframework.web.multipart.MultipartFile;@Service
public class FaceCollectService {@Autowiredprivate FaceEngineService faceEngineService;@Autowiredprivate PicUploadService picUploadService;public PicUploadResult upload(MultipartFile multipartFile) {PicUploadResult fileUploadResult = new PicUploadResult();boolean result = this.faceEngineService.checkIsPortrait(multipartFile);if (!result) {fileUploadResult.setStatus("error");fileUploadResult.setResponse("非人脸头像!");return fileUploadResult;}//图片上传到阿里云OSSfileUploadResult = this.picUploadService.upload(multipartFile);return fileUploadResult;}
}

3.5启动测试

上传非人脸头像

测试结果:

上传人脸头像:

测试结果:

二、分布式系统中相关概念

1.大型互联网项目架构目标

  1. 传统项目和互联网项目对比

传统项目针对于内部员工使用,用户数量小,并发量小。比如公司内部使用的管理系统,OA,HR,CRM等。

互联网项目针对于广大网民使用,用户数量大,并发量大。如常用的天猫商城,微信,百度等。

  1. 互联网项目特点

    • 用户多
    • 流量大,并发高
    • 海量数据
    • 易受攻击
    • 功能繁琐
    • 变更快
  2. 衡量项目的性能指标

    响应时间:指执行一个请求从开始到最后收到响应数据所花费的总体时间。

    并发数:指系统同时能处理的请求数量。

    并发连接数:指的是客户端向服务器发起请求,并建立了TCP连接。每秒钟服务器连接的总TCP数量

    请求数:也称为QPS(Query Per Second) 指每秒多少请求.

    并发用户数:单位时间内有多少用户

    吞吐量:指单位时间内系统能处理的请求数量。

    QPS:Query Per Second 每秒查询数。

    TPS:Transactions Per Second 每秒事务数。

    • 一个事务是指一个客户机向服务器发送请求然后服务器做出反应的过程。客户机在发送请求时开始计时,收到服务器响应后结束计时,以此来计算使用的时间和完成的事务个数。

    • 一个页面的一次访问,只会形成一个TPS;但一次页面请求,可能产生多次对服务器的请求,就会有多个QPS

2.集群和分布式

  • 集群:很多“人”一起 ,干一样的事。

  • 分布式:很多“人”一起,干不一样的事。这些不一样的事,合起来是一件大事。

专业解释

  • 集群:一个业务模块,部署在多台服务器上。
  • 分布式:一个大的业务系统,拆分为小的业务模块,分别部署在不同的机器上。

3.系统架构的发展

架构演进:

单体架构:

优点:

  • 简单:开发布署都很方便,小型项目首选

缺点:

  • 项目启动慢
  • 可靠性差
  • 可伸缩性差
  • 扩展性和可维护性差
  • 性能低

垂直架构:

垂直架构是指将单体架构中的多个模块拆分为多个独立的项目,形成多个独立的单体架构。

单体架构存在的问题:

  • 项目启动慢
  • 可靠性差
  • 可伸缩性差
  • 扩展性和可维护性差
  • 性能低

重直架构存在的问题:

  • 重复功能太多

分布式架构:

分布式架构是指在垂直架构的基础上,将公共业务模块抽取出来,作为独立的服务,供其它调用者消费,以实现服务的共享和重用。

重直架构存在的问题:

  • 重复功能太多

分布式架构存在的问题:

  • 服务提供方一旦变更,所有消费方都需要变更

SOA架构:

  • SOA:(Service-oriented Architecture,面向服务的架构)是一个组件模型,它将应用程序的不同功能单元(称为服务)进行拆分,并通过这些服务之间定义良好的接口和契约联系起来。

  • ESB:(Enterparise Service Bus)企业服务总线,服务中介。主要是提供了一个服务于服务之间的交互。ESB包含的功能如:负载均衡,流量控制,加密处理,服务的监控,异常处理,监控告急等等。

  • 分布式架构存的问题:

    服务提供方一旦产生变量,所有消费方都需要变更。

微服务架构:

  • 微服务架构是在SOA上做的升华,微服务架构强调的一个重点是“业务需要彻底的组件化和服务化”,原有的单个业务系统会拆分为多个可以独立开发、设计、运行的小应用。这些小龙应用之间通过服务完成交互和集成。

  • 微服务架构=80%的SOA服务架构思想+100%的组件化架构思想+80%的领域建模思想

  • 特点:

    • 服务实现组件化:开发者可以自由选择开发技术。也不需要协调其他团队
    • 服务之间交互一般使用REST API
    • 去中心化:每个微服务有自己私有的数据库持久化业务数据
    • 自动化部署:把应用拆分成为一个一个独立的单个服务,方便自动化部署、测试、运维

Java进阶实战:人脸采集识别系统项目完整公开分享相关推荐

  1. 【实战】深度学习构建人脸面部表情识别系统

    实战:深度学习构建人脸面部表情识别系统 一.表情数据集 数据集采用了kaggle面部表情识竞赛的人脸表情识别数据集. https://www.kaggle.com/c/challenges-in-re ...

  2. 基于MATLAB的人脸考勤识别系统

    基于MATLAB的人脸考勤识别系统 摘 要 人脸识别是模式识别和图像处理等学科的一个研究热点,它广泛应用在身份验证.刑侦破案.视频监视.机器人智能化和医学等领域,具有广阔的应用价值和商用价值.人脸特征 ...

  3. 超详细基于MATLAB的人脸考勤识别系统

    基于MATLAB的人脸考勤识别系统 摘 要 人脸识别是模式识别和图像处理等学科的一个研究热点,它广泛应用在身份验证.刑侦破案.视频监视.机器人智能化和医学等领域,具有广阔的应用价值和商用价值.人脸特征 ...

  4. 基于MTCNN和FaceNet的实时人脸检测识别系统

    文章目录 模型介绍 MTCNN FaceNet 基于MTCNN和FaceNet的实时人脸检测识别系统 在LFW数据集上测试 参考文献 GitHub项目地址:https://github.com/Har ...

  5. 人脸口罩识别的项目总结

    人脸口罩识别的项目总结 最近一段时间,国内部分地区又爆发了新冠疫情,传播速度很快.但最近天气炎热,人们戴口罩的自觉性不如从前了,在商场等公共场所,需要专门的人员去提醒顾客佩戴好口罩.因此萌发了使用计算 ...

  6. 毕业设计-人脸表情识别系统、人工智能

    人脸表情识别系统 1. 前言 在这个人工智能成为超级大热门的时代,人脸表情识别已成为其中的一项研究热点,而卷积神经网络.深度信念网络和多层感知器等相关算法在人脸面部表情识别领域的运用最为广泛.面部的表 ...

  7. android人脸情绪识别器,基于Android平台的人脸表情识别系统的设计与实现

    摘要: 随着目前移动设备硬件技术的不断发展,其性能与PC的差距越来越小,这使得在嵌入式平台上进行图像处理成为了可能.目前使用最广泛的是基于Android系统的嵌入式平台,与之相关的图像类应用需求也渐渐 ...

  8. android 表情识别,基于Android平台的人脸表情识别系统的设计与实现

    摘要: 随着目前移动设备硬件技术的不断发展,其性能与PC的差距越来越小,这使得在嵌入式平台上进行图像处理成为了可能.目前使用最广泛的是基于Android系统的嵌入式平台,与之相关的图像类应用需求也渐渐 ...

  9. Python基于OpenCV的人脸表情识别系统[源码&部署教程]

    1.项目背景 人脸表情识别是模式识别中一个非常重要却十分复杂的课题.首先对计算机人脸表情识别技术的研究背景及发展历程作了简单回顾.然后对近期人脸表情识别的方法进行了分类综述.通过对各种识别方法的分析与 ...

最新文章

  1. Linux 高级I/O之poll函数及简单服务器客户端编程
  2. SQL Server 2008备份数据库失败,拒绝访问的原因
  3. 密码学基础知识(二)密码体制
  4. PHP调用wsdl文件类型的接口代码分享
  5. html设置excel打开新窗口,怎么在excel的大页面上设置第几页第几页的
  6. centos部署python个人博客项目
  7. 上帝的玩偶:haXe语言
  8. Gson读写JSON 数据
  9. 对于employees表中,给出奇数行的first_name
  10. bug6-_SymbolicException: Inputs to eager execution function cannot be Keras symbolic
  11. Java虚拟机 --- 内存区域
  12. opencv VS C++ 配置
  13. nginx-反向代理笔记
  14. js中操作cookie
  15. R语言开发之输出盒形图
  16. 写论文的公式怎么写最便捷?
  17. DRG/DIP改革激活医疗数据智能400亿新增市场| 爱分析洞见
  18. [论文阅读笔记12]An Effective Transition-based Model for Discontinuous NER
  19. 盘点世界顶级五大黑客:个个都是神
  20. ThinkPad X1 Extreme隐士 Ubuntu 18.04装机双显卡配置解决方法

热门文章

  1. IBM 以服务为中心的企业整合
  2. 中国纺织服装贸易纽约展览会全新亮相
  3. 校招前端二面高频面试题合集
  4. hz-gb-2312解码问题
  5. 在计算机上打印机,如何在Windows计算机上安装本地打印机 | MOS86
  6. 如何在科研论文中画出漂亮的插图?
  7. html设置一段文字颜色,用span css设置div内部分字体颜色
  8. 设计模式——观察者模式
  9. three.js学习笔记(十二)——使用Blender自定义模型
  10. 如何查询苹果设备的激活和维保信息