OC实现GZIP压缩及解压缩

这恍恍的天日晒的大地嗞嗞的作响。这湉湉的阴雨下的祖国母亲到处洪水泛滥。人本不该有三六九等,可这丑陋的阴雨竟然选择性的泄洪到无辜的县区以示人却有三六九等。谁的财产不是财产,谁的生命不是生命?谁特妈的不是母亲养大的?

一首罗刹海市,单曲循环了一周了,这调调听的真特么的解恨。与其说是骂娱乐圈的那些营营狗狗,可你我为啥不将其骂的范围再上升一个层次呢?他到底在骂批判谁或者哪个阶级呢?越听越上头,越听越觉的骂的很舒服。大抵我等屁民也就这点快感了吧,其他的岂敢声张呢?

恬不知耻却还能后勇,一个屁十字会,月薪几十万等这都是什么蝇狗?还来呼吁募捐?那些年还有些做善事让自己内心温暖的想法或者是举动,为的是陶冶自己的情操,艹,陶冶个驴鸡!把生我的和我生的通过自己的努力养好,不香吗?

刹车!

最近因为IM中信令数据过大导致网络层传输数据过大的问题进行了优化,原本3M的数据压缩后以400多KB进行传输,这也很香!当然数据量越大效率越高!来吧,马户,直接吃鸡!

头文件实现:[内存数据解压缩,你可以二次改造为文件目录解压缩]

//
//  NSZip.h
//
//  Created by carbonzhao on 2023/8/1.
//#import <Foundation/Foundation.h>
#import <zlib.h>NS_ASSUME_NONNULL_BEGIN//此类主要为内存压缩,非文件目录解压缩。可进行稍微改造实现指定目录文件gzip解压缩,此处不实现。
@interface NSZip : NSObject
+ (id)zip;//将指定的data进行gzip压缩。若需要进行Zip或者其他类型的压缩请调整deflateInit2函数第4个参数值。
- (NSData *)zip:(NSData *)data error:(NSError **)err;//将指定的数据进行gzip解压缩。
- (NSData *)unZip:(Bytef *)bytes length:(NSUInteger)length error:(NSError **)err;
+ (NSData *)unZip:(NSData*)data error:(NSError **)err;//指定sourcePath目录的gzip压缩包解压到destinationPath指定的目录中。用于文件解压缩。
+ (BOOL)unZip:(NSString *)sourcePath toFile:(NSString *)destinationPath error:(NSError **)err;
@endNS_ASSUME_NONNULL_END

.m文件实现:

//
//  NSZip.m
//
//  Created by carbonzhao on 2023/8/1.
//#import "NSZip.h"
#define DATA_CHUNK_SIZE 262144@interface NSZip ()
{BOOL zipReady;z_stream zStream;
}@property (atomic, assign, readonly) BOOL zipReady;
@end@implementation NSZip@synthesize zipReady;+ (id)zip
{NSZip *zip = [[NSZip alloc] init];[zip resetZip];return zip;
}- (void)dealloc
{if (zipReady){[self closeZip];}
}- (NSError *)resetZip
{if (zipReady){return nil;}// Setup the inflate streamzStream.zalloc = Z_NULL;zStream.zfree = Z_NULL;zStream.opaque = Z_NULL;zStream.avail_in = 0;zStream.next_in = 0;int status = inflateInit2(&zStream, (15+32));if (status != Z_OK){return [[self class] inflateErrorWithCode:status];}zipReady = YES;return nil;
}- (NSError *)closeZip
{if (!zipReady){return nil;}// Close the inflate streamzipReady = NO;int status = inflateEnd(&zStream);if (status != Z_OK){return [[self class] inflateErrorWithCode:status];}return nil;
}- (NSData *)zip:(NSData *)data error:(NSError **)err
{if (data && data.length > 0){zStream.next_in = (Bytef *) data.bytes;zStream.avail_in = (uInt) data.length;zStream.total_out = 0;OSStatus status = deflateInit2(&zStream,Z_DEFAULT_COMPRESSION,Z_DEFLATED, MAX_WBITS+16,MAX_MEM_LEVEL,Z_DEFAULT_STRATEGY);
/*       历史缓冲区最大尺寸,值为 2^windowBits,windowBits 的值为 8~15 时,deflate() 方法生成 zlib 格式的数据,当 windowBits 为 31 时 deflate() 方法生成 gzip 格式。当取值为 -15 ~ -8 时,deflate() 生成纯 deflate 算法压缩数据(不包含 zlib 和 gzip 格式头和尾)OSStatus status = deflateInit2(&zStream, Z_DEFAULT_COMPRESSION,Z_DEFLATED, 31, MAX_MEM_LEVEL, Z_DEFAULT_STRATEGY);*/if (status != Z_OK){return nil;}NSInteger kZlibCompressChunkSize = 2048;NSMutableData *compressedData = [NSMutableData dataWithLength:kZlibCompressChunkSize];do {if ((status == Z_BUF_ERROR) || (zStream.total_out == compressedData.length)) {[compressedData increaseLengthBy:kZlibCompressChunkSize];}zStream.next_out = (Bytef *)compressedData.bytes + zStream.total_out;zStream.avail_out = (uInt)(compressedData.length - zStream.total_out);status = deflate(&zStream, Z_FINISH);} while ((status == Z_BUF_ERROR) || (status == Z_OK));status = deflateEnd(&zStream);if ((status != Z_OK) && (status != Z_STREAM_END)) {*err = [[self class] inflateErrorWithCode:status];return nil;}compressedData.length = zStream.total_out;return compressedData;}return nil;
}- (NSData *)unZip:(Bytef *)bytes length:(NSUInteger)length error:(NSError **)err
{if (length == 0) return nil;NSUInteger halfLength = length/2;NSMutableData *outputData = [NSMutableData dataWithLength:length+halfLength];int status;zStream.next_in = bytes;zStream.avail_in = (unsigned int)length;zStream.avail_out = 0;NSUInteger bytesProcessedAlready = zStream.total_out;while (zStream.avail_in != 0){if (zStream.total_out-bytesProcessedAlready >= [outputData length]) {[outputData increaseLengthBy:halfLength];}zStream.next_out = (Bytef*)[outputData mutableBytes] + zStream.total_out-bytesProcessedAlready;zStream.avail_out = (unsigned int)([outputData length] - (zStream.total_out-bytesProcessedAlready));status = inflate(&zStream, Z_NO_FLUSH);if (status == Z_STREAM_END){break;}else if (status != Z_OK){if (err){*err = [[self class] inflateErrorWithCode:status];}return nil;}}// Set real length[outputData setLength: zStream.total_out-bytesProcessedAlready];return outputData;
}+ (NSData *)unZip:(NSData*)data error:(NSError **)err
{NSError *theError = nil;NSData *outputData = [[NSZip zip] unZip:(Bytef *)[data bytes] length:[data length] error:&theError];if (theError){if (err){*err = theError;}return nil;}return outputData;
}+ (BOOL)unZip:(NSString *)sourcePath toFile:(NSString *)destinationPath error:(NSError **)err
{NSFileManager *fileManager = [[NSFileManager alloc] init];// Create an empty file at the destination pathif (![fileManager createFileAtPath:destinationPath contents:[NSData data] attributes:nil]) {if (err){*err = [NSError errorWithDomain:@"NSZipErrorDomain" code:11 userInfo:[NSDictionary dictionaryWithObjectsAndKeys:[NSString stringWithFormat:@"Decompression of %@ failed because we were to create a file at %@",sourcePath,destinationPath],NSLocalizedDescriptionKey,nil]];}return NO;}// Ensure the source file existsif (![fileManager fileExistsAtPath:sourcePath]){if (err){*err = [NSError errorWithDomain:@"NSZipErrorDomain" code:11 userInfo:[NSDictionary dictionaryWithObjectsAndKeys:[NSString stringWithFormat:@"Decompression of %@ failed the file does not exist",sourcePath],NSLocalizedDescriptionKey,nil]];}return NO;}UInt8 inputData[DATA_CHUNK_SIZE];NSData *outputData;NSInteger readLength;NSError *theError = nil;NSZip *decompressor = [NSZip zip];NSInputStream *inputStream = [NSInputStream inputStreamWithFileAtPath:sourcePath];[inputStream open];NSOutputStream *outputStream = [NSOutputStream outputStreamToFileAtPath:destinationPath append:NO];[outputStream open];while ([decompressor zipReady]){// Read some data from the filereadLength = [inputStream read:inputData maxLength:DATA_CHUNK_SIZE];// Make sure nothing went wrongif ([inputStream streamStatus] == NSStreamStatusError){if (err){*err = [NSError errorWithDomain:@"NSZipErrorDomain" code:11 userInfo:[NSDictionary dictionaryWithObjectsAndKeys:[NSString stringWithFormat:@"Decompression of %@ failed because we were unable to read from the source data file",sourcePath],NSLocalizedDescriptionKey,[inputStream streamError],NSUnderlyingErrorKey,nil]];}[decompressor closeZip];return NO;}// Have we reached the end of the input data?if (!readLength){break;}// Attempt to inflate the chunk of dataoutputData = [decompressor unZip:inputData length:(NSUInteger)readLength error:&theError];if (theError){if (err){*err = theError;}[decompressor closeZip];return NO;}// Write the inflated data out to the destination file[outputStream write:(Bytef*)[outputData bytes] maxLength:[outputData length]];// Make sure nothing went wrongif ([inputStream streamStatus] == NSStreamStatusError) {if (err){*err = [NSError errorWithDomain:@"NSZipErrorDomain" code:11 userInfo:[NSDictionary dictionaryWithObjectsAndKeys:[NSString stringWithFormat:@"Decompression of %@ failed because we were unable to write to the destination data file at %@",sourcePath,destinationPath],NSLocalizedDescriptionKey,[outputStream streamError],NSUnderlyingErrorKey,nil]];}[decompressor closeZip];return NO;}}[inputStream close];[outputStream close];NSError *error = [decompressor closeZip];if (error){if (err){*err = error;}return NO;}return YES;
}+ (NSError *)inflateErrorWithCode:(int)code
{return [NSError errorWithDomain:@"NSZipErrorDomain" code:11 userInfo:[NSDictionary dictionaryWithObjectsAndKeys:[NSString stringWithFormat:@"Decompression of data failed with code %d",code],NSLocalizedDescriptionKey,nil]];
}
@end

使用方法:

1、gzip压缩[默认为gzip压缩,其他压缩看代码注释]

//text为NSString类型,将其压缩后通过Websocket传输
NSError *err = nil;
NSData *data = [text dataUsingEncoding:NSUTF8StringEncoding];
NSData *zipData = [[NSZip zip] zip:data error:&err];[weakSelf.linkedSocket sendData:zipData error:nil];

2、解压

//message为websocket返回的NSData数据,进行解压
NSError *err= nil;
NSData *data = [NSZip unZip:message error:&err];
if (!err)
{NSString *msg = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];//解压后的NSString分发到UI层面进行使用[weakSelf dispatchData:msg];
}

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

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

相关文章

C#核心知识回顾——21.归并排序

理解递归逻辑 一开始不会执行sort函数的 要先找到最小容量数组时 才会回头递归调用Sort进行排序 基本原理 归并 递归 合并 数组分左右 左右元素相比较 一侧用完放对面 不停放入新数组 递归不停分 分…

《golang设计模式》第一部分·创建型模式-04-抽象工厂模式(Abstract Factory)

文章目录 1. 概述1.1 角色1.2 类图 2. 代码示例2.1 设计2.2 代码2.3 类图 1. 概述 1.1 角色 AbstractFactory&#xff08;抽象工厂&#xff09;&#xff1a;它声明了一组用于创建产品的方法&#xff0c;每一个方法对应一种产品。ConcreteFactory&#xff08;具体工厂&#xf…

Python学习笔记:If、While

1.if if的基本结构&#xff1a; if xxxxx:xxxxxxx elif xxxx:xxxxxxx else:xxxxxxx 通过boolean判断的实例 is_hot True is_cold True if is_hot:print("its a hot day\nDrink plenty of water") elif is_cold:print("its a cold day\nWear warm clothes&…

【网络|TCP】三次握手、四次握手

TCP是一种面向连接的可靠的传输协议&#xff0c;建立和断开TCP连接时需要进行握手的过程。其中&#xff0c;TCP的连接建立需要进行三次握手&#xff0c;而连接断开则需要进行四次握手。 解释 三次握手 第一次握手&#xff1a;客户端发送一个SYN&#xff08;同步&#xff09;报…

vue el-input 使用 回车键会刷新页面的问题

场景&#xff1a; vue项目中 在输入框输入字符并按下回车键搜索时&#xff0c;不会进行搜索&#xff0c; 而是会刷新页面 原因&#xff1a; 当form表单中只有一个input时&#xff0c;按下回车建会自动触发页面的提交功能&#xff0c; 产生刷新页面的行为 解决&#xff1a; 在…

问题聚集度Hive SQL

问题聚集度&#xff1a;最小的分母占比&#xff0c;贡献最多的分子占比&#xff0c;即小规模贡献大问题。 selectcity_name,user_id,rf_type,deal_ord_cnt,sale_amt,rf_ord_cnt,rf_amt,rf_ra,rf_amt_ra,rf_all,ord_cnt_all,rf_gx,ord_cnt_gx,del_gx,row_number() over(partiti…

Spring 事务详解(注解方式)

目 录 序言 1、编程式事务 2、配置声明式事务 2.1 基于TransactionProxyFactoryBean的方式&#xff08;不常用&#xff0c;因为要为每一个类配置TransactionProxyFactoryBean&#xff09; 2.2 基于AspectJ的XML方式&#xff08;常用&#xff0c;可配置在某些类下的所有子…

docker: CMD和ENTRYPOINT的区别

ENTRYPOINT&#xff1a; 容器的执行命令&#xff08;属于正统命令&#xff09; 可以使用--build-arg ENVIROMENTintegration参数覆盖 ocker build --build-arg ENVIROMENTintegration 两者同时存在时 CMD作为ENTRYPOINT的默认参数使用外部提供参数会覆盖CMD提供的参数。 CMD单…

无涯教程-Perl - unless...else 语句函数

Perl 除非语句后可以跟可选的 else 语句&#xff0c;该语句在布尔表达式为true时执行。 unless...else - 语法 Perl编程语言中的unless... else 语句的语法为- unless(boolean_expression) {# statement(s) will execute if the given condition is false } else {# stateme…

编程导航算法村第八关 | 树的深度优先遍历

编程导航算法村第八关 | 树的深度优先遍历 判断两棵树是否相同 LeetCode100&#xff1a;给你两棵二叉树的根节点 p 和 q &#xff0c;编写一个函数来检验这两棵树是否相同。如果两个树在结构上相同&#xff0c;并且节点具有相同的值&#xff0c;则认为它们是相同的。思路&…

Go重写Redis中间件 - Go实现Redis持久化

GO实现Redis持久化 项目开发到这里,我们的下一步就是实现Redis的持久化落盘功能,Redis是一个内存型的数据库,在之前我们实现的单机版Redis如果把进程杀掉,我们通过GET、SET指令存储的数据都将不复存在,数据只存在内存的map里面,重启之后什么都没有了 我们现在的目标就是…

Net Core Webapi 使用Redis实现连续登录失败N次 锁定账号N分钟

由于最近项目发现有尝试密码登录的操作&#xff0c;需要设置密码复杂度及账号多次登录失败&#xff0c;将账号锁定N分钟后&#xff0c;才可以继续登录操作。 开始思路是使用登录记录数据处理连续登录失败的问题&#xff0c;如果频繁请求可能会导致数据库查询变慢&#xff0c;影…

322. 零钱兑换

322. 零钱兑换 原题链接&#xff1a;完成情况&#xff1a;一开始错误原因 解题思路&#xff1a;参考代码&#xff1a;__322 零钱兑换__错误思路还得是dp去做 原题链接&#xff1a; 零钱兑换 完成情况&#xff1a; 一开始错误 原因 /*解题思路&#xff1a;1.先sort一下coins…

python列表处理方法

原始文件&#xff1a; id start end a1 10 19 a1 25 34 a2 89 124 a2 149 167 a2 188 221目的文件&#xff1a; a1 1 10 a1 16 25 a2 1 36 a2 61 79 a2 100 133解释说明&#xff1a; 原始文件是gff3文件的一部分&#xff0c;第一列id是基因的名字&#xff0c;第二列和第三列分…

chatGPT在软件测试中应用方式有哪些?

ChatGPT可以在软件测试中以以下方式应用&#xff1a; 1. 自动化对话测试&#xff1a;ChatGPT可以用于自动化对话测试&#xff0c;模拟用户与软件系统进行实时对话。它可以扮演用户的角色&#xff0c;向系统发送各种类型的指令和请求&#xff0c;并验证系统的响应是否符合预期。…

react ant icon的简单使用

refer: 快速上手 - Ant Design 1.引入ant npm install antd --save 2.在页面引用&#xff1a; import { StarOutlined } from ant-design/icons; 如果想要引入多个icon&#xff0c;可以这样书写&#xff1a; import { UserOutlined, MailOutlined, PieChartOutlined } fr…

2023年第三届工业自动化、机器人与控制工程国际会议 | IET独立出版 | EI检索

会议简介 Brief Introduction 2023年第三届工业自动化、机器人与控制工程国际会议&#xff08;IARCE 2023&#xff09; 会议时间&#xff1a;2023年10月27 -30日 召开地点&#xff1a;中国成都 大会官网&#xff1a;www.iarce.org 2023年第三届工业自动化、机器人与控制工程国际…

SocialFi 的开发中如何利用 NFTScan API 获取 NFT 数据

SocialFi 作为社交媒体与 Web3 的创新融合&#xff0c;致力于构建更加开放去中心化的社交平台。它赋能用户拥有数据控制权、实现内容价值&#xff0c;并通过代币经济建立起激励与治理机制&#xff0c;这正是 Web3 社交的独特魅力所在。SocialFi 为我们描绘了一个更加用户驱动、…

数据安全能力框架模型-详细解读(三)

数据安全能力框架内涵 “奇安信数据安全能力框架”体现了数据安全治理从组织机构安全治理&#xff0c;到数字化环境具体管控、分析能力分层逐步落实的工程方法。 它以企业数据安全的战略目标和风险容忍度为输入&#xff0c;明确数据安全治理的组织&#xff1b;以合规与治理需…

AtcoderABC227场

A - Last CardA - Last Card 题目大意 一共 K 张卡片分发给 N 个人&#xff0c;这些人的编号为 1, 2, …, N 从第 A 个人开始&#xff0c;按照顺序依次将卡片发给以下人员&#xff1a;A, A1, A2, …, N, 1, 2, …问最后一个卡片将发给哪个人&#xff1f; 具体来说&#xff0c;…