iOS开发-使用网络特殊字体下载CGFontRef

iOS开发-使用网络特殊字体下载CoreText

在开发中遇到需要将字体下载后再显示的情况,这种特殊字体下载后才能正常。

一、字体下载器

在AFNetworking中添加

pod 'Reachability'

字体下载器使用AFNetworking实现将字体文件下载
代码如下

#import "SDFontDownloaderClient.h"
#import "AFNetworking.h"@implementation SDFontDownloaderClientError@end@interface SDFontDownloaderClient ()@property (nonatomic, strong) AFHTTPSessionManager *httpManager;@end@implementation SDFontDownloaderClient+ (instancetype)sharedInstance {static SDFontDownloaderClient *_sharedInstance = nil;static dispatch_once_t onceToken;dispatch_once(&onceToken, ^{_sharedInstance = [[SDFontDownloaderClient alloc] init];_sharedInstance.httpManager = [AFHTTPSessionManager manager];_sharedInstance.httpManager.responseSerializer.acceptableContentTypes = [NSSet setWithObjects:@"application/json", @"text/json", @"text/javascript", @"text/html", @"text/plain", nil];});return _sharedInstance;
}- (AFHTTPSessionManager *)httpManager{if (!_httpManager) {_httpManager = [[AFHTTPSessionManager alloc] init];_httpManager.operationQueue.maxConcurrentOperationCount = 6;_httpManager.requestSerializer = [AFJSONRequestSerializer serializer];[_httpManager.requestSerializer willChangeValueForKey:@"timeoutInterval"];[_httpManager.requestSerializer setTimeoutInterval:10];[_httpManager.requestSerializer setStringEncoding:NSUTF8StringEncoding];_httpManager.responseSerializer = [AFJSONResponseSerializer serializer];_httpManager.responseSerializer.acceptableContentTypes = [NSSet setWithObjects:@"text/plain", @"multipart/form-data", @"application/json", @"text/html", @"image/jpeg", @"image/png", @"application/octet-stream", @"text/json", @"text/javascript", @"text/html", nil];_httpManager.requestSerializer.HTTPMethodsEncodingParametersInURI = [NSSet setWithArray:@[@"POST", @"GET", @"HEAD", @"PUT", @"DELETE"]];}[_httpManager.requestSerializer setValue:@"application/x-www-form-urlencoded" forHTTPHeaderField:@"Content-Type"];return _httpManager;
}#pragma mark - Http Request Failure
- (SDFontDownloaderClientError *)httpRequestFailure:(NSHTTPURLResponse *)responseerror:(NSError *)error {SDFontDownloaderClientError *e = [[SDFontDownloaderClientError alloc] init];if(error.code == NSURLErrorNotConnectedToInternet || error.code == NSURLErrorCannotFindHost || error.code == NSURLErrorCannotConnectToHost){e.message = @"网络连接失败!";return e;}if (error.code == NSURLErrorTimedOut){e.message = @"网路连接超时!";return e;}NSInteger statusCode = response.statusCode;if (statusCode == 401) {e.message = @"认证失败";} else if (statusCode == 400){e.message = @"无效请求";} else if (statusCode == 404) {e.message = @"访问的资源丢失了!";} else if (statusCode >= 500){e.message = @"服务器居然累倒了!";}#ifdef DEBUG@try {// 这里只是测试用//第一步、首先从error根据NSErrorFailingURLKey拿到valueNSError *errorFail = [error.userInfo objectForKey:@"NSUnderlyingError"];//第二步、通过errorFail根据com.alamofire.serialization.response.error.data拿到valueNSData *data = nil;if (errorFail) {data = [errorFail.userInfo objectForKey:@"com.alamofire.serialization.response.error.data"];} else {data = [error.userInfo objectForKey:@"com.alamofire.serialization.response.error.data"];}NSLog(@"data:%@",data);//第三部、将NSData转成NSString,因为NSString字符串比较直观if (data) {NSString *errorString = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];NSLog(@"errorString:%@",errorString);}} @catch (NSException *exception) {} @finally {}#else#endifreturn e;
}#pragma mark - Http download
/**请求下载@param aUrl aurl@param aSavePath aSavePath@param aFileName aFileName@param aTag aTag@param downloadprogress downloadprogress@param success success@param failure failure*/
- (void)downloadFileURL:(NSString *)aUrlsavePath:(NSString *)aSavePathfileName:(NSString *)aFileNametag:(NSInteger)aTagdownloadProgress:(void(^)(CGFloat progress))downloadprogresssuccess:(void(^)(NSURLResponse *response,NSString *filePath))successfailure:(void(^)(SDFontDownloaderClientError * e))failure {NSFileManager *fileManger = [NSFileManager defaultManager];if ([fileManger fileExistsAtPath:[aSavePath stringByAppendingPathComponent:aFileName]]) {//文件存在return;}//2.确定请求的URL地址NSString *requestUrl = aUrl;NSMutableURLRequest *request = [self.httpManager.requestSerializer requestWithMethod:@"GET" URLString:requestUrl parameters:nil error:nil];__block NSURLSessionDownloadTask *downloadTask = nil;downloadTask = [self.httpManager downloadTaskWithRequest:request progress:^(NSProgress * _Nonnull downloadProgress) {NSLog(@"progress current thread:%@", [NSThread currentThread]);dispatch_async(dispatch_get_main_queue(), ^{downloadprogress(1.0 * downloadProgress.completedUnitCount / downloadProgress.totalUnitCount);});} destination:^NSURL * _Nonnull(NSURL * _Nonnull targetPath, NSURLResponse * _Nonnull response) {NSLog(@"destination current thread:%@", [NSThread currentThread]);return [NSURL fileURLWithPath:aSavePath];} completionHandler:^(NSURLResponse * _Nonnull response, NSURL * _Nullable filePath, NSError * _Nullable error) {NSLog(@"completionHandler current thread:%@", [NSThread currentThread]);if(error == nil) {success(response,[filePath path]);} else {//下载失败NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *)response;SDFontDownloaderClientError *e = [self httpRequestFailure:httpResponse error:error];failure(e);}}];[downloadTask resume];
}@end

二、字体管理

字体文件在下载后,将注册到CTFontManager

//注册指定路径下的字体文件
- (void)registerFont:(NSString *)fontPath {//调整位置NSURL *fontUrl = [NSURL fileURLWithPath:fontPath];CGDataProviderRef providerRef = CGDataProviderCreateWithURL((__bridge CFURLRef)fontUrl);CFErrorRef error;CGFontRef font = CGFontCreateWithDataProvider(providerRef);if(!font){CGDataProviderRelease(providerRef);CGFontRelease(font);return;}BOOL ctfmrgf = CTFontManagerRegisterGraphicsFont(font, &error);if (!ctfmrgf) {//注册失败CFStringRef errorDescription = CFErrorCopyDescription(error);CFRelease(errorDescription);if (error) {CFRelease(error);}}CGFontRelease(font);CFRelease(providerRef);
}

字体管理完整代码如下

#import "SDFontManager.h"@implementation SDFontLoadError@endstatic SDFontManager *manager = nil;@interface SDFontManager ()@end@implementation SDFontManager+ (instancetype)shareInstance {static dispatch_once_t onceToken;dispatch_once(&onceToken, ^{manager = [[SDFontManager alloc] init];});return manager;
}- (void)downloadAppleFontName:(NSString *)fontNamefontSize:(CGFloat)fontSizebeginLoadBlock:(SDFontBeginLoadBlock)beginLoadBlockprogressBlock:(SDFontLoadProgressBlock)progressBlockcompletionBlock:(SDFontLoadCompletionBlock)completionBlock {self.beginLoadBlock = beginLoadBlock;self.progressBlock = progressBlock;self.completionBlock = completionBlock;UIFont* aFont = [UIFont fontWithName:fontName size:fontSize];// If the font is already downloadedif (aFont && ([aFont.fontName compare:fontName] == NSOrderedSame || [aFont.familyName compare:fontName] == NSOrderedSame)) {// Go ahead and display the sample text.if (self.beginLoadBlock) {self.beginLoadBlock();}if (self.progressBlock) {self.progressBlock(1.0);}if (self.completionBlock) {self.completionBlock(aFont, nil);}return;}// Create a dictionary with the font's PostScript name.NSMutableDictionary *attrs = [NSMutableDictionary dictionaryWithObjectsAndKeys:fontName, kCTFontNameAttribute, nil];// Create a new font descriptor reference from the attributes dictionary.CTFontDescriptorRef desc = CTFontDescriptorCreateWithAttributes((__bridge CFDictionaryRef)attrs);NSMutableArray *descs = [NSMutableArray arrayWithCapacity:0];[descs addObject:(__bridge id)desc];CFRelease(desc);__block BOOL errorDuringDownload = NO;// Start processing the font descriptor..// This function returns immediately, but can potentially take long time to process.// The progress is notified via the callback block of CTFontDescriptorProgressHandler type.// See CTFontDescriptor.h for the list of progress states and keys for progressParameter dictionary.CTFontDescriptorMatchFontDescriptorsWithProgressHandler( (__bridge CFArrayRef)descs, NULL,  ^(CTFontDescriptorMatchingState state, CFDictionaryRef progressParameter) {//NSLog( @"state %d - %@", state, progressParameter);double progressValue = [[(__bridge NSDictionary *)progressParameter objectForKey:(id)kCTFontDescriptorMatchingPercentage] doubleValue];if (state == kCTFontDescriptorMatchingDidBegin) {dispatch_async( dispatch_get_main_queue(), ^ {// Show an activity indicator// 开始下载字体,显示加载进度if (self.beginLoadBlock) {self.beginLoadBlock();}NSLog(@"Begin Matching");});} else if (state == kCTFontDescriptorMatchingDidFinish) {dispatch_async( dispatch_get_main_queue(), ^ {// Remove the activity indicatorif (!errorDuringDownload) {NSLog(@"%@ downloaded", fontName);}if(self.progressBlock){self.progressBlock(1.0f);}// 完成下载字体if (self.completionBlock) {if ([self isAvaliableFont:fontName fontSize:fontSize]) {[self saveAppleFontPathWithFontName:fontName];UIFont *aFont = [UIFont fontWithName:fontName size:fontSize];self.completionBlock(aFont, nil);} else {NSLog(@"font %@ is Unavaliable", fontName);}}});} else if (state == kCTFontDescriptorMatchingWillBeginDownloading) {dispatch_async( dispatch_get_main_queue(), ^ {// Show a progress barif(self.progressBlock){self.progressBlock(0.0f);}NSLog(@"Begin Downloading");});} else if (state == kCTFontDescriptorMatchingDidFinishDownloading) {dispatch_async( dispatch_get_main_queue(), ^ {// Remove the progress barif(self.progressBlock){self.progressBlock(1.0f);}NSLog(@"Finish downloading");});} else if (state == kCTFontDescriptorMatchingDownloading) {dispatch_async( dispatch_get_main_queue(), ^ {// Use the progress bar to indicate the progress of the downloadingif(self.progressBlock){self.progressBlock(progressValue / 100.0);}NSLog(@"Downloading %.0f%% complete", progressValue);});} else if (state == kCTFontDescriptorMatchingDidFailWithError) {// An error has occurred.// Get the error messageNSError *error = [(__bridge NSDictionary *)progressParameter objectForKey:(id)kCTFontDescriptorMatchingError];NSString *errorMessage = nil;if (error != nil) {errorMessage = [error description];} else {errorMessage = @"ERROR MESSAGE IS NOT AVAILABLE!";}// Set our flagerrorDuringDownload = YES;dispatch_async( dispatch_get_main_queue(), ^ {if (self.completionBlock) {SDFontLoadError *error = [[SDFontLoadError alloc] init];error.errorMessage = errorMessage;self.completionBlock(nil, error);}NSLog(@"Download error: %@", errorMessage);});}return (bool)YES;});
}- (void)downloadCustomFontName:(NSString *)fontNamefontDownloadUrl:(NSString *)fontDownloadUrlfontSize:(CGFloat)fontSizebeginLoadBlock:(SDFontBeginLoadBlock)beginLoadBlockprogressBlock:(SDFontLoadProgressBlock)progressBlockcompletionBlock:(SDFontLoadCompletionBlock)completionBlock {self.beginLoadBlock = beginLoadBlock;self.progressBlock = progressBlock;self.completionBlock = completionBlock;UIFont* aFont = [UIFont fontWithName:fontName size:fontSize];// If the font is already downloadedif (aFont && ([aFont.fontName compare:fontName] == NSOrderedSame || [aFont.familyName compare:fontName] == NSOrderedSame)) {// Go ahead and display the sample text.if (self.beginLoadBlock) {self.beginLoadBlock();}if (self.progressBlock) {self.progressBlock(1.0);}if (self.completionBlock) {self.completionBlock(aFont, nil);}return;}//如果不存在,重新下载解压NSString *savefontDirectoryPath = [self fontDirectoryPath];//下载成功NSString *afileName = [[NSURL URLWithString:fontDownloadUrl] lastPathComponent];NSString *afilePath = [NSString pathWithComponents:@[savefontDirectoryPath, afileName]];//下载成功NSString *aFontFileName = [[NSURL URLWithString:fontDownloadUrl] lastPathComponent];BOOL exsit = [self exsitCustomFontFileWithFontName:aFontFileName];if (exsit) {  //如果已经下载过了// 检查字体是否可用[self registerFont:afilePath];UIFont *font = [self fontWithPath:afilePath fontSize:fontSize];//更新UIif (self.progressBlock) {self.progressBlock(1.0);}if (self.completionBlock) {self.completionBlock(font, nil);}return;}__weak typeof(self) weakSelf = self;[[SDFontDownloaderClient sharedInstance] downloadFileURL:fontDownloadUrl savePath:afilePath fileName:afilePath tag:[afilePath hash] downloadProgress:^(CGFloat progress) {if (self.progressBlock) {self.progressBlock(progress);}} success:^(NSURLResponse *response, NSString *filePath) {NSLog(@"filePath:%@",filePath);dispatch_async(dispatch_get_main_queue(), ^{NSString *fontPath = filePath;[weakSelf registerFont:fontPath];  //注册字体文件UIFont *font = [weakSelf fontWithPath:fontPath fontSize:fontSize];if (weakSelf.completionBlock) {weakSelf.completionBlock(font, nil);}});} failure:^(SDFontDownloaderClientError *e) {dispatch_async(dispatch_get_main_queue(), ^{SDFontLoadError *error = [[SDFontLoadError alloc] init];error.errorMessage = e.message;if (weakSelf.completionBlock) {weakSelf.completionBlock(nil, error);}});}];
}//注册苹果字体并保存路径(这里苹果的字体不在沙盒目录,无法注册)
- (void)saveAppleFontPathWithFontName:(NSString *)fontName{CTFontRef fontRef = CTFontCreateWithName((__bridge CFStringRef)fontName, 0., NULL);CFURLRef fontURL = CTFontCopyAttribute(fontRef, kCTFontURLAttribute);NSURL *fontPathURL = (__bridge NSURL*)(fontURL);//把苹果的字体路径保存起来[self registerFont:fontPathURL.path];  //注册字体CFRelease(fontURL);CFRelease(fontRef);
}//注册指定路径下的字体文件
- (void)registerFont:(NSString *)fontPath {//调整位置NSURL *fontUrl = [NSURL fileURLWithPath:fontPath];CGDataProviderRef providerRef = CGDataProviderCreateWithURL((__bridge CFURLRef)fontUrl);CFErrorRef error;CGFontRef font = CGFontCreateWithDataProvider(providerRef);if(!font){CGDataProviderRelease(providerRef);CGFontRelease(font);return;}BOOL ctfmrgf = CTFontManagerRegisterGraphicsFont(font, &error);if (!ctfmrgf) {//注册失败CFStringRef errorDescription = CFErrorCopyDescription(error);CFRelease(errorDescription);if (error) {CFRelease(error);}}CGFontRelease(font);CFRelease(providerRef);
}- (UIFont *)fontWithPath:(NSString *)fontPath fontSize:(CGFloat)fontSize {NSURL *fontUrl = [NSURL fileURLWithPath:fontPath];CGDataProviderRef providerRef = CGDataProviderCreateWithURL((__bridge CFURLRef)fontUrl);CGFontRef font = CGFontCreateWithDataProvider(providerRef);if(!font){CGDataProviderRelease(providerRef);CGFontRelease(font);return nil;}CGDataProviderRelease(providerRef);CTFontManagerUnregisterGraphicsFont(font,nil);CTFontManagerRegisterGraphicsFont(font, NULL);NSString *newFamilyName = CFBridgingRelease(CGFontCopyPostScriptName(font));UIFont *uifont = [UIFont fontWithDescriptor:[UIFontDescriptor fontDescriptorWithName:newFamilyName size:fontSize] size:fontSize];CGFontRelease(font);return uifont;
}//判断字体是否可用
- (BOOL)isAvaliableFont:(NSString *)fontName fontSize:(CGFloat)fontSize {UIFont *aFont = [UIFont fontWithName:fontName size:fontSize];return aFont && ([aFont.fontName compare:fontName] == NSOrderedSame || [aFont.familyName compare:fontName] == NSOrderedSame);
}//是否存在fontFileName
- (BOOL)exsitCustomFontFileWithFontName:(NSString *)fontName {NSString *fontPath = [[self fontDirectoryPath] stringByAppendingPathComponent:fontName];BOOL exsit = [[NSFileManager defaultManager] fileExistsAtPath:fontPath];return exsit;
}// 字体存储的路径path
- (NSString *)fontDirectoryPath {NSString *documentsDirectory = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES)[0];NSString *fontDirectoryPath = [documentsDirectory stringByAppendingPathComponent:@"fonts"];[self createDirectoryIfNotExsitPath:fontDirectoryPath];   //创建目录return fontDirectoryPath;
}//创建目录
- (BOOL)createDirectoryIfNotExsitPath:(NSString *)path {BOOL success = YES;if(![[NSFileManager defaultManager] fileExistsAtPath:path]){  //如果则创建文件夹NSError * error = nil;success = [[NSFileManager defaultManager] createDirectoryAtPath:path withIntermediateDirectories:YES attributes:nil error:&error];if (!success || error) {NSLog(@"Error! %@", error);} else {NSLog(@"Create fonts directory Success!");}}return success;
}//依fontName构建font
- (UIFont *)fontWithFontName:(NSString *)fontName fontSize:(CGFloat)fontSize{if ([self isAvaliableFont:fontName fontSize:fontSize]) {return [UIFont fontWithName:fontName size:fontSize];}return nil;
}@end

三、使用下载注册后的字体

我这里使用下载注册后的字体

- (void)lookButtonAction {[[SDFontManager shareInstance] downloadCustomFontName:@"猫啃网糖圆体" fontDownloadUrl:@"https://j1-common-bucket.s3.cn-northwest-1.amazonaws.com.cn/as/2020/12/16/oLmJQK1608104260841.ttf" fontSize:20 beginLoadBlock:^{NSLog(@"beginLoadBlock");} progressBlock:^(CGFloat progress) {NSLog(@"progressBlock:%f", progress);} completionBlock:^(UIFont *font, SDFontLoadError *error) {NSLog(@"completionBlock font:%@, error:%@", font, error);if (font && !error) {self.titleLabel.font = font;}}];
}#pragma mark - lazy
- (UILabel *)titleLabel {if (!_titleLabel) {_titleLabel  = [[UILabel alloc] initWithFrame:CGRectZero];_titleLabel.backgroundColor = [UIColor clearColor];_titleLabel.textColor = [UIColor blackColor];_titleLabel.font = [UIFont systemFontOfSize:11];_titleLabel.textAlignment = NSTextAlignmentCenter;}return _titleLabel;
}

四、小结

iOS开发-使用网络特殊字体下载CGFontRef

在开发中遇到需要将字体下载后再显示的情况,这种特殊字体下载后才能正常。。

学习记录,每天不停进步。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/15526.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

一个监控系统的典型架构

监控系统的典型架构图,从左往右看,采集器是负责采集监控数据的,采集到数据之后传输给服务端,通常是直接写入时序库。然后就是对时序库的数据进行分析和可视化,分析部分最典型的就是告警规则判断,即图上的告…

算法leetcode|65. 有效数字(rust重拳出击)

文章目录 65. 有效数字:样例 1:样例 2:样例 3:提示: 分析:题解:rust:go:c:python:java: 65. 有效数字: 有效数字&#xf…

数字转义汉字数字显示的简单研究

最近有个需求,需要显示汉字数字,比如一二三四五…这样子,问题看起来挺简单,但我没有找到有自带这样的转换的方法,数字转汉字数字,挺有意思的,就简单研究了一下; 百度了一下&#xff…

Java阶段五Day14

Java阶段五Day14 文章目录 Java阶段五Day14分布式事务整合demo案例中架构,代码关系发送半消息本地事务完成检查补偿购物车消费 鲁班周边环境调整前端启动介绍启动前端 直接启动的项目gateway(网关)login(登录注册)atta…

网络请求fetch

fetch()是 XMLHttpRequest 的升级版,用于在 JavaScript 脚本里面发出 HTTP 请求。浏览器原生提供这个对象 fetch()的功能与 XMLHttpRequest 基本相同,但有三个主要的差异。 与 Ajax 类似,Fetch 也是前后端通信的一种方式。Fetch 要比 Ajax …

JavaScript---环境对象this

环境对象:指的是 函数 内部特殊的变量 this,它代表着当前函数运行时所处的环境。每个函数都有环境对象this。函数调用的方式不同,this指代的对象不同。 普通函数里面this指向的是window谁调用,this就指向谁(是判断thi…

React Flow

// 创建项目 npm create vitelatest my-react-flow-app -- --template react // 安装插件 npm install reactflow npm install antd // 运行项目 npm run dev 1、App.jsx import { useCallback, useState } from react; import ReactFlow, {addEdge,ReactFlowProvider,MiniMap…

享元模式——实现对象的复用

1、简介 1.1、概述 当一个软件系统在运行时产生的对象数量太多,将导致运行代价过高,带来系统性能下降等问题。例如,在一个文本字符串中存在很多重复的字符,如果每个字符都用一个单独的对象来表示,将会占用较多的内存…

hive的metastore问题汇总

1. metastore内存飙升 1 问题 metastore内存飙升降不下来; spark集群提交的任务无法运行, 只申请到了dirver的资源; 2 原因 当Spark任务无法获取足够资源时,因为任务无法继续进行,不能将元数据从Metastore返回给任务 后,这些元数据暂存在…

39.手机导航

手机导航 html部分 <div class"phone"><div class"content"><img class"active" src"./static/20180529205331_yhGyf.jpeg" alt"" srcset""><img src"./static/20190214214253_hsjqw…

【leetcode】7.29记录

题目考察内容思路踩坑剑指Offer 05.替换空格(easy)字符串创建StringBuffer&#xff0c;用charAt获取每个字符并判断&#xff0c;用sb.append©添加字符&#xff0c;最后返回sb.toString()541.反转字符串 II (easy)字符串针对每种情况直接实现就行string.substring(start,en…

【hive 运维】hive注释/数据支持中文

文章目录 一. 设置mysql中的hive库二. hive-site.xml 设置三. 测试 hive支持中文需要关注两个方面&#xff1a; 设置hive 元数据库中的一些表设置hive-site.xml. 一. 设置mysql中的hive库 use hivedb; alter table TBLS modify column TBL_NAME varchar(1000) character se…

TCP socket编程

一、服务端代码 #encoding utf -8 #导入socket库 from socket import * #等待客户端来连接&#xff0c;主机地址为0.0.0.0表示绑定本机所有网络接口ip地址 IP 0.0.0.0 #端口号 PORT 50000 #定义一次从socket缓存区最多读入512个字节数据 BUFLEN 512 #实例化一个socket编程…

【CNN-BiLSTM-attention】基于高斯混合模型聚类的风电场短期功率预测方法(Pythonmatlab代码实现)

&#x1f4a5;&#x1f4a5;&#x1f49e;&#x1f49e;欢迎来到本博客❤️❤️&#x1f4a5;&#x1f4a5; &#x1f3c6;博主优势&#xff1a;&#x1f31e;&#x1f31e;&#x1f31e;博客内容尽量做到思维缜密&#xff0c;逻辑清晰&#xff0c;为了方便读者。 ⛳️座右铭&a…

比较常见CPU的区别:Intel、ARM、AMD

一、开发公司不同 1、Intel&#xff1a;是英特尔公司开发的中央处理器&#xff0c;有移动、台式、服务器三个系列。 2、ARM&#xff1a;是英国Acorn有限公司设计的低功耗成本的第一款RISC微处理器。 3、AMD&#xff1a;由AMD公司生产的处理器。 二、技术不同 1、Intel&…

测试|自动化测试(了解)

测试|自动化测试&#xff08;了解&#xff09; 1.什么是自动化测试☆☆☆☆ 自动化测试相当于把人工测试手段进行转换&#xff0c;让代码执行。 2.自动化测试的分类☆☆☆☆ 注&#xff1a;这里只是常见的自动化测试&#xff0c;并不全部罗列。 1.单元自动化测试 其中Java…

嵌入式硬件系统的基本组成

嵌入式硬件系统的基本组成 嵌入式系统的硬件是以包含嵌入式微处理器的SOC为核心&#xff0c;主要由SOC、总线、存储器、输入/输出接口和设备组成。 嵌入式微处理器 每个嵌入式系统至少包含一个嵌入式微处理器 嵌入式微处理器体系结构可采用冯.诺依曼&#xff08;Von Neumann&…

前后端分离实现博客系统

文章目录 博客系统前言1. 前端1.1 登陆页面1.2 博客列表页面1.3 博客详情页面1.4 博客编辑页面 2. 后端2.1 项目部署2.1.1 创建maven项目2.1.2 引入依赖2.1.3 创建目录结构2.1.4 部署程序 2.2 逻辑设计2.2.1 数据库设计2.2.2 实体类设计2.2.3 Dao层设计2.2.3.1 BlogDao 2.2.4 D…

qt添加图标

1.添加资源 选择QtWidgetsApp.qrc文件打开 添加图标文件路径 添加图标文件 2.按钮添加图标 图标路径为:/res/res/swicth.jpg &#xff08;1&#xff09;代码设置图标 ui.pushButton_OPen->setIcon(QIcon(":/res/res/swicth.jpg")); &#xff08;2&#xff09;属…

apple pencil到底值不值得买?好用的iPad电容笔

随着ipad平板型号版本的不断更新&#xff0c;其的功能越来越多&#xff0c;现在它的性能已经可以和笔记本电脑相媲美了。而现在&#xff0c;随着技术的进步&#xff0c;IPAD已经不再是单纯的娱乐&#xff0c;而是一种功能强大的学习、绘画、工作等等。要增加生产效率&#xff0…