IOS学习笔记二十四(NSData归档多个对象和归档对象实现深复制)

1、NSData归档多个对象

一、之前我写的学习笔记都是归档一个对象,如果需要归档多个对象我们需要借助NSData

二、步骤

      1)、NSMutableData作为参数,构建 NSKeyedArchiver对象

      2)、调用NSKeyedArchiver的encodeXXX

      3)、调用NSKeyedArchiver的finishEncoding方法 

      4)、NSMutableData保存到文件

 

 

 

 

 

2、归档对象实现深复制

   我们知道深复制就是复制对象和原始对象没有任何公用的部分,修改复制对象的值不会对原始对象产生影响

步骤

1)、NSKeyedArchiver的archivedDataWithRootObject

2)、NSKeyedUnarchiver的unarchiveObjectWithData

 

 

 

3、实现Demo

 IApple.h

#import <Foundation/Foundation.h>
#ifndef IApple_h
#define IApple_h
@interface IApple : NSObject <NSCoding>
@property (nonatomic, copy) NSString *color;
@property (nonatomic, assign) double weight;
@property (nonatomic, assign) int size;
-(id)initWithColor:(NSString *) color weight:(double) weight size:(int) size;
@end#endif /* IApple_h */

 

IApple.m

#import  "IApple.h"
#import <Foundation/Foundation.h>
@implementation IApple
@synthesize color = _color;
@synthesize weight = _weight;
@synthesize size = _size;
-(id)initWithColor:(NSString *) color weight:(double) weight size:(int) size
{if (self = [super init]){self.color = color;self.weight = weight;self.size = size;}return self;
}
-(NSString *)description
{return [NSString stringWithFormat:@"<IApple [color = %@, weight = %g, _size = %d]>", self.color, self.weight, self.size];
}-(void)encodeWithCoder:(NSCoder *)aCoder
{[aCoder encodeObject:_color forKey:@"color"];[aCoder encodeDouble:_weight forKey:@"weight"];[aCoder encodeInt:_size forKey:@"size"];
}
-(id) initWithCoder:(NSCoder *)aDecoder
{_color = [aDecoder decodeObjectForKey:@"color"];_weight = [aDecoder decodeDoubleForKey:@"weight"];_size = [aDecoder decodeIntForKey:@"size"];return self;
}@end

 

main.m

#import "IApple.h"
int main(int argc, char * argv[]) {@autoreleasepool {NSDictionary *dict = [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithInt:80], @"java", [NSNumber numberWithInt:90], @"c", [NSNumber numberWithInt:70], @"oc", [NSNumber numberWithInt:100], @"c++",nil];NSSet *set = [NSSet setWithObjects:@"java", @"ios", @"c++", @"oc", nil];IApple *apple = [[IApple alloc] initWithColor:@"red" weight:50 size:20];NSMutableData *data = [NSMutableData data];NSKeyedArchiver *arch = [[NSKeyedArchiver alloc] initForWritingWithMutableData:data];//归档对象[arch encodeObject:dict forKey:@"dict"];[arch encodeObject:set forKey:@"set"];[arch encodeObject:apple forKey:@"apple"];//结束归档[arch finishEncoding];//在document目录下创建一个chenyu.txt空文件NSArray *docPaths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);NSString *path = [docPaths objectAtIndex:0];NSLog(@"document path:%@", path);NSFileManager *fileManager = [NSFileManager defaultManager];NSString *chenyuPath = [path stringByAppendingPathComponent:@"chenyu.txt"];BOOL isSuccess = [fileManager createFileAtPath:chenyuPath contents:nil attributes:nil];if (isSuccess) {NSLog(@"make chenyu.txt success");} else {NSLog(@"make chenyu.txt fail");}//归档对象到chenyu.txt文件if([data writeToFile:chenyuPath atomically:YES] == YES){NSLog(@"归档对象成功");}else{NSLog(@"归档对象失败");}//读取归档对象NSData *readData = [NSData dataWithContentsOfFile:chenyuPath];NSKeyedUnarchiver *unArch = [[NSKeyedUnarchiver alloc] initForReadingWithData:readData];NSDictionary *readDict = [unArch decodeObjectForKey:@"dict"];NSSet *readSet = [unArch decodeObjectForKey:@"set"];NSSet *readApple = [unArch decodeObjectForKey:@"apple"];NSLog(@"readDict is:%@", readDict);NSLog(@"readSet is:%@", readSet);NSLog(@"readApple is %@", readApple);//使用归档对戏实现深复制 深复制就是复制对象和本身对象没有任何公用部分,所以修改复制对象的属性不会影响原始对象的属性NSDictionary *diction = [NSDictionary dictionaryWithObjectsAndKeys:[[IApple alloc] initWithColor:@"red" weight:50 size:20], @"one", [[IApple alloc] initWithColor:@"green" weight:60 size:21], @"two", nil];//对象归档NSData *data1 = [NSKeyedArchiver archivedDataWithRootObject:diction];//回复对象NSDictionary *dictCopy = [NSKeyedUnarchiver unarchiveObjectWithData:data1];IApple *app = [dictCopy objectForKey:@"one"];[app setColor:@"green"];IApple *app1 = [diction objectForKey:@"one"];NSLog(@"app1 color is:%@", app1.color);}
}

 

 

 

 

4、运行结果

2018-07-22 19:34:11.258816+0800 cyTest[62704:16613816] document path:*****/3FF9B833-FAF8-4C30-A855-3D40A4EAE8A6/data/Containers/Data/Application/6AD520C9-3A99-45B5-A2F9-4E4D7CA77486/Documents
2018-07-22 19:34:11.269539+0800 cyTest[62704:16613816] make chenyu.txt success
2018-07-22 19:34:11.271898+0800 cyTest[62704:16613816] 归档对象成功
2018-07-22 19:34:11.272976+0800 cyTest[62704:16613816] readDict is:{c = 90;"c++" = 100;java = 80;oc = 70;
}
2018-07-22 19:34:11.273243+0800 cyTest[62704:16613816] readSet is:{("c++",java,ios,oc
)}
2018-07-22 19:34:11.273602+0800 cyTest[62704:16613816] readApple is <IApple [color = red, weight = 50, _size = 20]>
2018-07-22 19:34:11.274150+0800 cyTest[62704:16613816] app1 color is:red

 

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

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

相关文章

Android渠道包自动化验证

随着产品发布越来越快&#xff0c;渠道包越来越多&#xff0c;渠道包自动化验证重要性逐渐凸显出来&#xff0c;需要将大把的人力从中解放出来&#xff0c;且避免人工失误造成的验证不完全&#xff1b;最近客户端产品尝试使用渠道包自动化测试的方法&#xff0c;这里说说我们目…

Foundatio - .Net Core用于构建分布式应用程序的可插拔基础块

简介Foundatio - 用于构建分布式应用程序的可插拔基础块•想要针对抽象接口进行构建&#xff0c;以便我们可以轻松更改实现。希望这些块对依赖注入友好。•缓存&#xff1a;我们最初使用的是开源 Redis 缓存客户端&#xff0c;但后来它变成了具有高许可成本的商业产品。不仅如此…

JQuery 判断滚动条是否到底部

1 BottomJumpPage: function () {2 var scrollTop $(this).scrollTop();3 var scrollHeight $(document).height();4 var windowHeight $(this).height();5 if (scrollTop windowHeight scrollHeight) { //滚动到底部执…

开讲啦观后感2017计算机科学家,开讲啦观后感2017

1 开讲啦观后感2017(一)是因为有爱&#xff0c;我才付出的&#xff0c;因为是我爱的&#xff0c;而我又付出了&#xff0c;所以我会更爱。这是郑教授的演讲《你为什么读大学》中给我映像最深刻的一句话。我也能从这句话中找到我读大学的原因因为我爱。古时候说你十年寒窗苦读&a…

ENVI IDL读写数据

最近写程序不知道怎么写envi标准格式文件的头文件&#xff0c;在网上搜了半天&#xff0c;也没找到相关的信息。找到一个 ENVI_SETUP_HEAD函数&#xff0c;也不知怎么用。下面的内容可能以后用的着&#xff0c;先留着吧。 引用自&#xff1a;http://bbs.esrichina-bj.cn/ESRI/v…

php 解压zip

2019独角兽企业重金招聘Python工程师标准>>> /*** 解压zip* param type $file* param type $destination* return boolean*/public function unzip_file($file, $destination){ $zip new ZipArchive() ; if ($zip->open($file) ! TRUE) {return $this->error…

python是偏向bs还是cs_CS与BS架构区别、比较、及现状与趋势分析

一、简介CS即Client/Server(客户机/服务器)结构&#xff0c;C/S结构在技术上很成熟&#xff0c;它的主要特点是交互性强、具有安全的存取模式、网络通信量低、响应速度快、利于处理大量数据。但是该结构的程序是针对性开发&#xff0c;变更不够灵活&#xff0c;维护和管理的难度…

python数据分析软件_Python数据分析工具

Numpy Python没有提供数组功能&#xff0c;虽然列表可以完成基本的数组功能&#xff0c;但他不是真正的数组。Numpy内置函数处理速度是c语言级别&#xff0c;因此尽量使用内置函数&#xff0c;避免出现效率瓶颈的现象。 Numpy的安装&#xff1a; Windows中&#xff0c;pip inst…

Java之TimeUnit

1、TimeUnit介绍 位于这个包下 import java.util.concurrent.TimeUnit; 2、使用 一般比如多少分钟转多少毫秒、多少秒转多少毫秒、多少小时转多少分钟&#xff0c;还可以使用线程休息的方法&#xff0c; 底层还是用Thread.sleep()实现&#xff0c;代码可读性好点&#xff0c…

如何评价国内SRC纷纷上线“白帽子协议”?

2017年6月1日21:21分 某监狱里&#xff0c;对话如下&#xff1a; 犯人A:你们都是怎么来的&#xff1f; 犯人B:我是XX漏洞平台挖漏洞不小心进来的。 犯人C:我是XX平台路人甲&#xff0c;输错命令了rm -rf / &#xff08;批量删除&#xff09; 犯人D:我是某测评中心的忘了要授权了…

SQL Server数据库备份的镜像

SQL Server数据库备份的镜像 原文:SQL Server数据库备份的镜像SQL Server数据库备份的镜像 一个完整备份可以分开镜像 USE master GOBACKUP DATABASE [testdatabase] TO DISK NC:\testdatabase1.bak MIRROR TO DISK ND:\testdatabase2.bak WITH FORMAT, INIT GO 一个完整备份…

C# 观察文件的更改

使用 FileSystemWatcher 可以监视文件的更改。事件在创建、重命名、删除和更改文件时触发。这可用于如下场景&#xff1a;需要对文件的变更做出反应&#xff0c;例如&#xff0c;服务器上传文件时&#xff0c;或文件缓存在内存中&#xff0c;而缓存需要在文件更改时失效。因为 …

html5储存类型,html5本地存储-留言板

HTML5每日一练之JS API-本地存储LocalStorage 留言板 | 前端开发网(W3Cfuns.com)&#xff01;var Storage {saveData:function()//保存数据{var data document.querySelector("#post textarea");if(data.value ! ""){var time new Date().getTime() Mat…

php 自动创建目录

2019独角兽企业重金招聘Python工程师标准>>> /*** 创建目录* param type $path* param type $mode* return type */public function rmkdir($path, $mode 0777) {return is_dir($path) || ( $this->rmkdir(dirname($path), $mode) && $this->_mkdir(…

油管螺纹尺寸对照表_yt15硬质合金刀片尺寸|A320焊接刀头参数

硬质合金刀片牌号表示方法如下图&#xff1a;yw1硬质合金刀片a320钨钛钴类硬质合金主要成分是碳化钨、碳化钛(TiC)及钴。其牌号由“YT”(“硬、钛”两字汉语拼音字首)和碳化钛平均含量组成。例如&#xff0c;YT15&#xff0c;表示平均碳化钛(TiC)15%&#xff0c;其余为碳化钨和…

python实验原理_Python实验报告八

安徽工程大学Python程序设计 班级&#xff1a;物流192 姓名&#xff1a;唐家豪 学号&#xff1a;3190505234 成绩&#xff1a; 日期&#xff1a;2020/06/03 指导老师&#xff1a;修宇 【实验目的】 &#xff1a; 掌握读写文本文件或 CSV 文件&#xff0c;进而对数据进行处理的方…

关于android MTK相机L版本,切换屏幕比例后,分辨率随之改变,但重新进入相机后原有分辨率不再生效问题...

BUG详细&#xff1a;比如4:3的时候是200W&#xff0c;切成全屏变400W&#xff0c;重新切回4:3为300W&#xff0c;退出相机后&#xff0c;重新进入又变成200W。 原因分析&#xff1a;这个版本的设计如此&#xff0c;当你点选屏幕比例的时候&#xff0c;程序设计是把这个比例值作…

.NET 6 使用 Obfuscar 进行代码混淆

本文来安利大家 Obfuscar 这个好用的基于 MIT 协议开源的混淆工具。这是一个非常老牌的混淆工具&#xff0c;从 2014 年就对外分发&#xff0c;如今已有累计 495.5K 的 nuget 下载量。而且此工具也在不断持续迭代更新&#xff0c;完全支持 dotnet 6 版本&#xff0c;对 WPF 和 …

html的canvas标签用法,html5中关于canvas标签用法(绘图)

标签只是图形容器&#xff0c;您必须使用脚本来绘制图形。用canvas配合javascript可以直接在html页面动态绘图&#xff0c;无需调用jquery。代码如下&#xff1a;var my_canvasdocument.getelementbyid("canvas"); //获取canvas的idvar contextmy_canvas.getcontext(…

C#生成二维码(含解码)

using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Linq; using System.Text; using System.Windows.Forms;using System.Collections; using com.google.zxing;//需要从网上下载 using S…