Unity中播放GIF

作者:追风剑情 发布于:2021-5-10 9:54 分类:Unity3d

GIF文件格式介绍 https://www.jianshu.com/p/4fabac6b15b3
GIF文件格式介绍 https://blog.csdn.net/wzy198852/article/details/17266507
GIFLIB 项目

下载GIF播放插件 https://github.com/WestHillApps/UniGif

如果播放时GIF背景显示纯黑色,可以修改下源码让GIF的背景显示为透明色:

修改 UniGifDecoder.cs 中的 GetColorTableAndSetBgColor() 方法:


  1. /// <summary>
  2. /// Get color table and set background color (local or global)
  3. /// </summary>
  4. private static List<byte[]> GetColorTableAndSetBgColor(GifData gifData, ImageBlock imgBlock, int transparentIndex, out Color32 bgColor)
  5. {
  6. List<byte[]> colorTable = imgBlock.m_localColorTableFlag ? imgBlock.m_localColorTable : gifData.m_globalColorTableFlag ? gifData.m_globalColorTable : null;
  7.  
  8. // 注释掉原来的代码
  9. //if (colorTable != null)
  10. //{
  11. // // Set background color from color table
  12. // byte[] bgRgb = colorTable[gifData.m_bgColorIndex];
  13. // bgColor = new Color32(bgRgb[0], bgRgb[1], bgRgb[2], (byte)(transparentIndex == gifData.m_bgColorIndex ? 0 : 255));
  14. //}
  15. //else
  16. //{
  17. // bgColor = Color.black;
  18. //}
  19.  
  20. // 直接修改成透明背景
  21. bgColor = Color.black;
  22. bgColor.a = 0;
  23.  
  24. return colorTable;
  25. }


GIF文件结构

11111.png

1111.png

图形控制器扩展(graphic control extension)中的透明颜色索引(transparent color index)对应全局颜色表(global color table)中的索引。

GIF辅助类


  1. #define DEBUG_GIF_DECODE
  2. using System;
  3. using System.Text;
  4. using System.Collections;
  5. using System.Collections.Generic;
  6. using System.Diagnostics;
  7. using UnityEngine;
  8. /// <summary>
  9. /// GIF 辅助类
  10. /// GIF用的LZW压缩算法能将图像尺寸压缩20%~25%
  11. /// 字符=ASCII:
  12. /// 'G'=71,'I'=73,'F'=70,'7'=55,'8'=56,'9'=57,'a'=97
  13. /// 参考 https://blog.csdn.net/Swallow_he/article/details/76165202
  14. /// </summary>
  15. public sealed class GIFHelper
  16. {
  17. #region 文件头
  18. //判断是否为GIF文件
  19. public static bool IsGIF(byte[] bytes)
  20. {
  21. byte b0 = bytes[0];
  22. byte b1 = bytes[1];
  23. byte b2 = bytes[2];
  24. return 71 == b0 && 73 == b1 && 70 == b2;
  25. }
  26.  
  27. //判断GIF版本是否为 GIF87a
  28. public static bool IsGIF87a(byte[] bytes)
  29. {
  30. if (!IsGIF(bytes))
  31. return false;
  32.  
  33. byte b3 = bytes[3];
  34. byte b4 = bytes[4];
  35. byte b5 = bytes[5];
  36. return 56 == b3 && 55 == b4 && 97 == b5;
  37. }
  38.  
  39. //判断GIF版本是否为 GIF89a
  40. //这个版本才支持动画和透明背景
  41. public static bool IsGIF89a(byte[] bytes)
  42. {
  43. if (!IsGIF(bytes))
  44. return false;
  45.  
  46. byte b3 = bytes[3];
  47. byte b4 = bytes[4];
  48. byte b5 = bytes[5];
  49. return 56 == b3 && 57 == b4 && 97 == b5;
  50. }
  51.  
  52. //获取标记域和版本号
  53. public static string SignatureVersion(byte[] bytes)
  54. {
  55. StringBuilder sb = new StringBuilder();
  56. for (int i = 0; i < 6; i++)
  57. sb.Append((char)bytes[i]);
  58. return sb.ToString();
  59. }
  60. #endregion
  61.  
  62. #region 逻辑描述块(LogicalScreen Descriptor), 包含7个字节
  63.  
  64. #region 图片宽高
  65. //获取逻辑显示屏宽度 (图片宽度), 2字节
  66. public static ushort LogicalScreenWidth(byte[] bytes)
  67. {
  68. //byte b6 = bytes[6];
  69. //byte b7 = bytes[7];
  70. ////小端
  71. //short width = (short)((b7 << 8) | (b6 & 0xff));
  72. ushort width = BitConverter.ToUInt16(bytes, 6);
  73. return width;
  74. }
  75.  
  76. //获取逻辑显示屏高度 (图片高度), 2字节
  77. public static ushort LogicalScreenHeight(byte[] bytes)
  78. {
  79. //byte b8 = bytes[8];
  80. //byte b9 = bytes[9];
  81. ////小端
  82. //short height = (short)((b9 << 8) | (b8 & 0xff));
  83. ushort height = BitConverter.ToUInt16(bytes, 8);
  84. return height;
  85. }
  86. #endregion
  87.  
  88. #region 包装域(Packed Fields) (G CR S Size), 1字节
  89. //Size of Global Color Table 占 3bit
  90. //Sort Flag 占 1bit
  91. //Color Resolution 占 3bit
  92. //Global Color Table Flag 占 1bit
  93.  
  94. //全局彩色表大小,代表每个像素的位数, 7bit可表示0~255
  95. public static int SizeOfGlobalColorTable(byte[] bytes)
  96. {
  97. byte b10 = bytes[10];
  98. byte size = (byte)(b10 & 7); //7: 00000111
  99. //表项数目
  100. int table_size = (int)Math.Pow(2, size + 1);
  101. //每个表项由3个字节组成(R、G、B)
  102. //彩色表的字节数等于 3 * table_size
  103. return table_size;
  104. }
  105.  
  106. //彩色表排序标志
  107. //Flag=1: 表示全局彩色表中的颜色存在重要性排序,重要的颜色被排在前面
  108. public static byte SortFlag(byte[] bytes)
  109. {
  110. byte b10 = bytes[10];
  111. byte flag = (byte)((b10 >> 3) & 1);//00001000
  112. return flag;
  113. }
  114.  
  115. //调色板中的基色占几bit
  116. //例如 CR=3, 表示占4bit
  117. public static byte ColorResolution(byte[] bytes)
  118. {
  119. byte b10 = bytes[10];
  120. byte cr = (byte)((b10 >> 4) & 7);//01110000
  121. return cr;
  122. }
  123.  
  124. //全局彩色表标志
  125. //G=1: 表示存在全局彩色表
  126. public static byte GlobalColorTableFlag(byte[] bytes)
  127. {
  128. byte b10 = bytes[10];
  129. byte G = (byte)(b10 >> 7);//?0000000
  130. return G;
  131. }
  132. #endregion
  133.  
  134. #region 背景颜色索引
  135. //获取背景颜色索引(彩色表位置)
  136. //如果Global Color Table Flag为0,则该值也设为0
  137. public static byte BackgroundColorIndex(byte[] bytes)
  138. {
  139. byte b11 = bytes[11];
  140. return b11;
  141. }
  142. #endregion
  143.  
  144. #region 像素宽高比
  145. //像素宽高比,是原始图像像素的宽高比的一个近似值
  146. //宽高比计算公式: Aspect Ratio = (Pixel AspectRatio + 15) / 64
  147. public static byte PixelAspectRatio(byte[] bytes)
  148. {
  149. byte b12 = bytes[12];
  150. return b12;
  151. }
  152. #endregion
  153.  
  154. #region 全局彩色表
  155.  
  156. //获取全局彩色表
  157. public static List<byte[]> GlobalColorTable(byte[] bytes)
  158. {
  159. var globalColorTable = new List<byte[]>();
  160. if (GlobalColorTableFlag(bytes) == 0)
  161. return globalColorTable;
  162. int byteIndex = 13;
  163. int sizeOfGlobalColorTable = SizeOfGlobalColorTable(bytes);
  164. // Global Color Table(0~255×3 Bytes)
  165. for (int i = byteIndex; i < byteIndex + (sizeOfGlobalColorTable * 3); i += 3)
  166. {
  167. globalColorTable.Add(new byte[] { bytes[i], bytes[i + 1], bytes[i + 2] });
  168. }
  169. return globalColorTable;
  170. }
  171. #endregion
  172.  
  173. #endregion
  174. }
  175.  
  176. /// <summary>
  177. /// GIF图像
  178. /// </summary>
  179. public class GIFImage
  180. {
  181. //头信息
  182. public GIFHeader Header { get; private set; }
  183. //屏幕逻辑描述符
  184. public GIFLogicalScreenDescriptor LogicalScreenDescriptor { get; private set; }
  185. //全局颜色表
  186. public GIFGlobalColorTable GlobalColorTable { get; private set; }
  187. //图形控制扩展
  188. public List<GIFGraphicControlExtension> graphicControlExtList { get; private set; }
  189. //文本扩展
  190. public List<GIFPlainTextExtension> plainTextExtList { get; private set; }
  191. //应用程序扩展
  192. public List<GIFApplicationExtension> applicationExtList { get; private set; }
  193. //注释扩展
  194. public List<GIFCommentExtension> commentExtList { get; private set; }
  195. //图像描述符
  196. public List<GIFImageDescriptor> imageDescriptorList { get; private set; }
  197. //Texture2D 列表
  198. public List<Texture2D> textures {
  199. get {
  200. if (gifData == null)
  201. return new List<Texture2D>();
  202. return gifData.textures;
  203. }
  204. }
  205.  
  206. private GIFData gifData;
  207.  
  208. /// <summary>
  209. /// 构造方法
  210. /// </summary>
  211. /// <param name="bytes">gif文件二进制数据</param>
  212. public GIFImage(byte[] bytes)
  213. {
  214. LoadFileData(bytes);
  215. }
  216.  
  217. //载入GIF文件数据
  218. public void LoadFileData(byte[] bytes)
  219. {
  220. GIFDebug.Log("<i><b>*** gif decode start... ***</b></i>");
  221.  
  222. gifData = new GIFData();
  223. int byteIndex = 0;
  224. Header = new GIFHeader(bytes, ref byteIndex);
  225. LogicalScreenDescriptor = new GIFLogicalScreenDescriptor(bytes, ref byteIndex);
  226. if (LogicalScreenDescriptor.packedField.globalColorTableFlag == 1)
  227. {
  228. GlobalColorTable = new GIFGlobalColorTable(bytes, ref byteIndex,
  229. LogicalScreenDescriptor.packedField.sizeOfGlobalColorTable);
  230. gifData.m_globalColorTable = GlobalColorTable;
  231. }
  232. gifData.m_logicalScreenDescriptor = LogicalScreenDescriptor;
  233.  
  234. graphicControlExtList = new List<GIFGraphicControlExtension>();
  235. plainTextExtList = new List<GIFPlainTextExtension>();
  236. applicationExtList = new List<GIFApplicationExtension>();
  237. commentExtList = new List<GIFCommentExtension>();
  238. imageDescriptorList = new List<GIFImageDescriptor>();
  239.  
  240. while (true)
  241. {
  242. //特殊标志
  243. //0x21: 扩展入口(Extension Introducer)
  244. //0x3b: GIF文件结束标志
  245. byte specialFlag = bytes[byteIndex];
  246. byteIndex++;
  247.  
  248. //扩展入口
  249. if (0x21 == specialFlag)
  250. {
  251. //扩展类型
  252. byte extensionFlag = bytes[byteIndex];
  253. byteIndex++;
  254. switch (extensionFlag)
  255. {
  256. case 0xf9:// Graphic Control Extension(0x21 0xf9)
  257. var gExt = new GIFGraphicControlExtension(bytes, ref byteIndex);
  258. graphicControlExtList.Add(gExt);
  259. gifData.m_graphicControlExtension = gExt;
  260. break;
  261. case 0xfe:// Comment Extension(0x21 0xfe)
  262. var cExt = new GIFCommentExtension(bytes, ref byteIndex);
  263. commentExtList.Add(cExt);
  264. break;
  265. case 0x01:// Plain Text Extension(0x21 0x01)
  266. var pExt = new GIFPlainTextExtension(bytes, ref byteIndex);
  267. plainTextExtList.Add(pExt);
  268. break;
  269. case 0xff:// Application Extension(0x21 0xff)
  270. var aExt = new GIFApplicationExtension(bytes, ref byteIndex);
  271. applicationExtList.Add(aExt);
  272. break;
  273. default:
  274. break;
  275. }
  276. }
  277. //图像描述符(Image Descriptor)
  278. else if (0x2c == specialFlag)
  279. {
  280. var imgDes = new GIFImageDescriptor(bytes, ref byteIndex, gifData);
  281. imageDescriptorList.Add(imgDes);
  282. }
  283. //GIF结束
  284. else if (0x3b == specialFlag)
  285. {
  286. GIFDebug.Log("<i><b>*** gif decode completed (0x3b) ***</b></i>");
  287. break;
  288. }
  289. }
  290. }
  291. }
  292.  
  293. /// <summary>
  294. /// GIF文件头
  295. /// </summary>
  296. public sealed class GIFHeader
  297. {
  298. //"GIF"
  299. public string signature;
  300. //"87a" 或 "89a"
  301. public string version;
  302.  
  303. public GIFHeader(byte[] bytes, ref int byteIndex)
  304. {
  305. signature = BitConverter.ToString(bytes, byteIndex, 3);
  306. byteIndex += 3;
  307. version = BitConverter.ToString(bytes, byteIndex, 3);
  308. byteIndex += 3;
  309. }
  310. }
  311.  
  312. /// <summary>
  313. /// 逻辑屏幕描述符
  314. /// </summary>
  315. public sealed class GIFLogicalScreenDescriptor
  316. {
  317. //画布宽度
  318. public int canvasWidth;
  319. //画布高度
  320. public int canvasHeight;
  321. public GIFPackedField packedField;
  322. //表示 GIF 的背景色在 Global Color Table 中的索引
  323. public byte backgroundColorIndex;
  324. //表示用于计算原始图像中像素宽高比的近似因子,一般情况为 0
  325. public byte pixelAspectRatio;
  326.  
  327. public GIFLogicalScreenDescriptor(byte[] bytes, ref int byteIndex)
  328. {
  329. canvasWidth = BitConverter.ToInt16(bytes, byteIndex);
  330. byteIndex += 2;
  331. canvasHeight = BitConverter.ToInt16(bytes, byteIndex);
  332. byteIndex += 2;
  333. packedField = new GIFPackedField(bytes[byteIndex]);
  334. byteIndex++;
  335. backgroundColorIndex = bytes[byteIndex];
  336. byteIndex++;
  337. pixelAspectRatio = bytes[byteIndex];
  338. byteIndex++;
  339.  
  340. Print();
  341. packedField.Print();
  342. }
  343.  
  344. public void Print()
  345. {
  346. GIFDebug.Log("<color=green>[GIFLogicalScreenDescriptor]</color>");
  347. GIFDebug.LogFormat("->width={0}", canvasWidth);
  348. GIFDebug.LogFormat("->height={0}", canvasHeight);
  349. GIFDebug.LogFormat("->backgroundColorIndex={0}", backgroundColorIndex);
  350. GIFDebug.LogFormat("->pixelAspectRatio={0}", pixelAspectRatio);
  351. }
  352.  
  353. /// <summary>
  354. /// GIF包装域
  355. /// </summary>
  356. public sealed class GIFPackedField
  357. {
  358. //全局彩色表大小
  359. public int sizeOfGlobalColorTable;
  360. //彩色表排序标志
  361. public byte sortFlag;
  362. //彩色分辨率
  363. public byte colorResolution;
  364. //全局彩色表标志, 1:表示存在全局颜色表
  365. public byte globalColorTableFlag;
  366.  
  367. public GIFPackedField(byte b)
  368. {
  369. byte size = (byte)(b & 7); //7: 00000111
  370. //表项数目
  371. sizeOfGlobalColorTable = (int)Math.Pow(2, size + 1);
  372. //每个表项由3个字节组成(R、G、B)
  373. //彩色表的字节数等于 3 * table_size
  374.  
  375. sortFlag = (byte)((b >> 3) & 1);//00001000
  376. colorResolution = (byte)((b >> 4) & 7);//01110000
  377. globalColorTableFlag = (byte)(b >> 7);//10000000
  378. }
  379.  
  380. public void Print()
  381. {
  382. GIFDebug.LogFormat("->sizeOfGlobalColorTable={0}", sizeOfGlobalColorTable);
  383. GIFDebug.LogFormat("->sortFlag={0}", sortFlag);
  384. GIFDebug.LogFormat("->colorResolution={0}", colorResolution);
  385. GIFDebug.LogFormat("->globalColorTableFlag={0}", globalColorTableFlag);
  386. }
  387. }
  388. }
  389.  
  390. /// <summary>
  391. /// GIF全局颜色表
  392. /// </summary>
  393. public sealed class GIFGlobalColorTable
  394. {
  395. public List<byte[]> Table { get; private set; }
  396.  
  397. public GIFGlobalColorTable(byte[] bytes, ref int byteIndex, int sizeOfGlobalColorTable)
  398. {
  399. Table = new List<byte[]>();
  400. // Global Color Table(0~255×3 Bytes)
  401. for (int i = byteIndex; i < byteIndex + (sizeOfGlobalColorTable * 3); i += 3)
  402. {
  403. Table.Add(new byte[] { bytes[i], bytes[i + 1], bytes[i + 2] });
  404. }
  405. byteIndex += sizeOfGlobalColorTable * 3;
  406. }
  407. }
  408.  
  409. /// <summary>
  410. /// GIF图形控制扩展
  411. /// </summary>
  412. public sealed class GIFGraphicControlExtension
  413. {
  414. //表示接下来的有效数据字节数
  415. public byte byteSize;
  416. //是一个包装字段,内部不同位的意义也不同
  417. public GIFPackedField packedField;
  418. //表示 GIF 动图每一帧之间的间隔,单位为百分之一秒。当为 0 时间隔由解码器管理
  419. public short delayTime;
  420. //当 Transparent Flag 为 1 时,此字节有效,表示此索引在 Global Color Table 中对应的颜色将被当做透明色做处理。
  421. public byte transparentColorIndex;
  422. //表示 Extension 到此结束
  423. public byte blockTerminator;//总是0
  424.  
  425. public GIFGraphicControlExtension(byte[] bytes, ref int byteIndex)
  426. {
  427. GIFDebug.LogFormat("<color=green>GIFGraphicControlExtension</color> byteIndex={0}", byteIndex);
  428. byteSize = bytes[byteIndex];
  429. byteIndex++;
  430. packedField = new GIFPackedField(bytes[byteIndex]);
  431. byteIndex++;
  432. delayTime = BitConverter.ToInt16(bytes, byteIndex);
  433. byteIndex += 2;
  434. transparentColorIndex = bytes[byteIndex];
  435. byteIndex++;
  436. blockTerminator = bytes[byteIndex];
  437. byteIndex++;
  438. //Debug.LogFormat("-- end byteIndex={0}", byteIndex);
  439. }
  440.  
  441. //包装字段
  442. public sealed class GIFPackedField
  443. {
  444. //当该值为 1 时,后面的 Transparent Color Index 指定的颜色将被当做透明色处理。为 0 则不做处理。
  445. public byte transparentColorFlag; //1bit
  446. //表示是否需要在得到用户的输入时才进行下一帧的输入(具体用户输入指什么视应用而定)。
  447. //0: 表示无需用户输入
  448. //1: 表示需要用户输入
  449. public byte userInputFlag; //1bit
  450. //表示在进行逐帧渲染时,前一帧留下的图像作何处理:
  451. //0: 不做任何处理
  452. //1: 保留前一帧图像,在此基础上进行渲染
  453. //2: 渲染前将图像置为背景色
  454. //3: 将被下一帧覆盖的图像重置
  455. public byte disposalMethod;//3bit
  456. //保留位,暂无用处
  457. public byte reservedForFutureUse;//3bit
  458.  
  459. public GIFPackedField(byte b)
  460. {
  461. transparentColorFlag = (byte)(b & 1);//00000001
  462. userInputFlag = (byte)((b >> 1) & 1);//00000010
  463. disposalMethod = (byte)((b >> 2) & 7);//00011100
  464. reservedForFutureUse = (byte)((b >> 5) & 7);//11100000
  465. }
  466. }
  467. }
  468.  
  469. /// <summary>
  470. /// GIF文本扩展 (存储额外信息)
  471. /// </summary>
  472. public sealed class GIFPlainTextExtension
  473. {
  474. public GIFPlainTextExtension(byte[] bytes, ref int byteIndex)
  475. {
  476. GIFDebug.LogFormat("<color=green>GIFPlainTextExtension</color> byteIndex={0}", byteIndex);
  477. //暂时不关心这部分数据,直接找结束标记0
  478. while (bytes[byteIndex++] != 0) ;
  479. }
  480. }
  481.  
  482. /// <summary>
  483. /// GIF应用扩展 (存储额外信息)
  484. /// </summary>
  485. public sealed class GIFApplicationExtension
  486. {
  487. public GIFApplicationExtension(byte[] bytes, ref int byteIndex)
  488. {
  489. GIFDebug.LogFormat("<color=green>GIFApplicationExtension</color> byteIndex={0}", byteIndex);
  490. //暂时不关心这部分数据,直接找结束标记0
  491. while (bytes[byteIndex++] != 0) ;
  492. }
  493. }
  494.  
  495. /// <summary>
  496. /// GIF注释扩展 (存储额外信息)
  497. /// </summary>
  498. public sealed class GIFCommentExtension
  499. {
  500. public GIFCommentExtension(byte[] bytes, ref int byteIndex)
  501. {
  502. GIFDebug.LogFormat("<color=green>GIFCommentExtension</color> byteIndex={0}", byteIndex);
  503. //暂时不关心这部分数据,直接找结束标记0
  504. while (bytes[byteIndex++] != 0) ;
  505. }
  506. }
  507.  
  508. /// <summary>
  509. /// GIF图像描述符
  510. /// </summary>
  511. public sealed class GIFImageDescriptor
  512. {
  513. //该值表示当前帧图像渲染位置离画布左边的距离
  514. public short left;
  515. //该值表示当前帧图像渲染位置离画布上边的距离
  516. public short top;
  517. //该值表示当前帧图像的宽度
  518. public short width;
  519. //该值表示当前帧图像的高度
  520. public short height;
  521. //这是一个包装字段,内部不同位的意义也不同
  522. public GIFPackedField packedField;
  523. public GIFLocalColorTable localColorTable;
  524. public GIFImageData imageData;
  525. private GIFData gifData;
  526.  
  527. public GIFImageDescriptor(byte[] bytes, ref int byteIndex, GIFData gifData)
  528. {
  529. GIFDebug.LogFormat("<color=green>GIFImageDescriptor</color> byteIndex={0}", byteIndex);
  530. this.gifData = gifData;
  531. left = BitConverter.ToInt16(bytes, byteIndex);
  532. byteIndex += 2;
  533. top = BitConverter.ToInt16(bytes, byteIndex);
  534. byteIndex += 2;
  535. width = BitConverter.ToInt16(bytes, byteIndex);
  536. byteIndex += 2;
  537. height = BitConverter.ToInt16(bytes, byteIndex);
  538. byteIndex += 2;
  539. packedField = new GIFPackedField(bytes[byteIndex]);
  540. byteIndex++;
  541.  
  542. if (packedField.localColorTableFlag == 1)
  543. {
  544. localColorTable = new GIFLocalColorTable(bytes, ref byteIndex, packedField.sizeOfLocalColorTable);
  545. }
  546.  
  547. bool interlaceFlag = (packedField.interlaceFlag == 1);
  548. imageData = new GIFImageData(bytes, ref byteIndex, width, height, interlaceFlag);
  549.  
  550. //利用解压出来的图像数据生成Texture2D
  551. Texture2D tex = CreateTexture2D();
  552. gifData.textures.Add(tex);
  553. }
  554.  
  555. private List<byte[]> GetColorTable()
  556. {
  557. //存在局部颜色表,则使用局部颜色表,否则使用全局颜色表
  558. List<byte[]> colorTable = (packedField.localColorTableFlag == 1) ? localColorTable.Table : gifData.m_globalColorTable.Table;
  559. return colorTable;
  560. }
  561.  
  562. public Texture2D CreateTexture2D()
  563. {
  564. List<byte[]> colorTable = GetColorTable();
  565.  
  566. int canvasWidth = gifData.m_logicalScreenDescriptor.canvasWidth;
  567. int canvasHeight = gifData.m_logicalScreenDescriptor.canvasHeight;
  568. Texture2D tex = new Texture2D(canvasWidth, canvasHeight, TextureFormat.ARGB32, false);
  569. tex.filterMode = FilterMode.Bilinear;
  570. tex.wrapMode = TextureWrapMode.Clamp;
  571.  
  572. //判断背景色
  573. byte transparentIndex = gifData.m_graphicControlExtension.transparentColorIndex;
  574. int bgColorIndex = gifData.m_logicalScreenDescriptor.backgroundColorIndex;
  575. byte[] bgRgb = colorTable[bgColorIndex];
  576. Color32 bgColor = new Color32(bgRgb[0], bgRgb[1], bgRgb[2], (byte)(transparentIndex == bgColorIndex ? 0 : 255));
  577. Color32[] pix;
  578. bool filledTexture = false;
  579.  
  580. //初始化图像像素
  581. byte disposalMethod = gifData.m_graphicControlExtension.packedField.disposalMethod;
  582. GIFDebug.LogFormat("disposalMethod={0}", disposalMethod);
  583. switch (disposalMethod)
  584. {
  585. case 0://不做任何处理
  586.  
  587. break;
  588. case 1://保留前一帧图像,在此基础上进行渲染
  589. if (gifData.textures.Count > 0)
  590. {
  591. Texture2D preTex = gifData.textures[gifData.textures.Count - 1];
  592. pix = preTex.GetPixels32();
  593. tex.SetPixels32(pix);
  594. tex.Apply();
  595. filledTexture = true;
  596. }
  597. break;
  598. case 2://渲染前将图像置为背景色
  599. pix = new Color32[tex.width * tex.height];
  600. for (int i = 0; i < pix.Length; i++)
  601. {
  602. pix[i] = bgColor;
  603. }
  604. tex.SetPixels32(pix);
  605. tex.Apply();
  606. filledTexture = true;
  607. break;
  608. case 3://将被下一帧覆盖的图像重置
  609.  
  610. break;
  611. }
  612.  
  613. int dataIndex = 0;
  614. //dataIndex是从图像的左上角开始存储的,图像的原点在左下角
  615. for (int y = canvasHeight - 1; y >= 0; y--)
  616. {
  617. int row = canvasHeight - y - 1;
  618.  
  619. for (int x = 0; x < canvasWidth; x++)
  620. {
  621. //(left,top)左上角坐标
  622. if (x < left || x >= left + width ||
  623. row < top || row >= top + height)
  624. {
  625. if (!filledTexture)
  626. tex.SetPixel(x, y, bgColor);
  627. continue;
  628. }
  629.  
  630. //越界检测
  631. if (dataIndex >= imageData.decodedData.Count)
  632. {
  633. if (filledTexture == false)
  634. {
  635. tex.SetPixel(x, y, bgColor);
  636. if (dataIndex == imageData.decodedData.Count)
  637. {
  638. GIFDebug.LogError("dataIndex exceeded the size of decodedData. dataIndex:" + dataIndex + " decodedData.Length:" + imageData.decodedData.Count + " y:" + y + " x:" + x);
  639. }
  640. }
  641. dataIndex++;
  642. continue;
  643. }
  644.  
  645. //像素索引对应颜色表中的索引
  646. int colorIndex = imageData.decodedData[dataIndex];
  647. //越界检测
  648. if (colorTable == null || colorTable.Count <= colorIndex)
  649. {
  650. if (filledTexture == false)
  651. {
  652. tex.SetPixel(x, y, bgColor);
  653. if (colorTable == null)
  654. {
  655. GIFDebug.LogError("colorIndex exceeded the size of colorTable. colorTable is null. colorIndex:" + colorIndex);
  656. }
  657. else
  658. {
  659. GIFDebug.LogError("colorIndex exceeded the size of colorTable. colorTable.Count:" + colorTable.Count + " colorIndex:" + colorIndex);
  660. }
  661. }
  662. dataIndex++;
  663. continue;
  664. }
  665.  
  666. byte[] rgb = colorTable[colorIndex];
  667. //Alpha的判断规则
  668. byte alpha = transparentIndex >= 0 && transparentIndex == colorIndex ? (byte)0 : (byte)255;
  669. if (filledTexture == false || alpha != 0)
  670. {
  671. Color32 color = new Color32(rgb[0], rgb[1], rgb[2], alpha);
  672. tex.SetPixel(x, y, color);
  673. }
  674.  
  675. dataIndex++;
  676. }
  677. }
  678. tex.Apply();
  679. return tex;
  680. }
  681.  
  682. public sealed class GIFPackedField
  683. {
  684. //本地颜色表大小
  685. public int sizeOfLocalColorTable;
  686. //保留位
  687. public byte reservedForFutureUse;
  688. //如果需要 Local Color Table 的话,这个字段表示其排列顺序,同 Global Color Table
  689. public byte sortFlag;
  690. //表示是否需要隔行扫描。1 为需要,0 为不需要
  691. public byte interlaceFlag;
  692. //表示下一帧图像是否需要一个独立的颜色表。1 为需要,0 为不需要
  693. public byte localColorTableFlag;
  694.  
  695. public GIFPackedField(byte b)
  696. {
  697. byte size = (byte)(b & 7); //7: 00000111
  698. //表项数目
  699. sizeOfLocalColorTable = (int)Math.Pow(2, size + 1);
  700. //每个表项由3个字节组成(R、G、B)
  701. //彩色表的字节数等于 3 * table_size
  702. reservedForFutureUse = (byte)((b >> 3) & 3);
  703. sortFlag = (byte)((b >> 5) & 1);
  704. interlaceFlag = (byte)((b >> 6) & 1);
  705. localColorTableFlag = (byte)((b >> 7) & 1);
  706. }
  707. }
  708. }
  709.  
  710. /// <summary>
  711. /// GIF本地颜色表
  712. /// </summary>
  713. public sealed class GIFLocalColorTable
  714. {
  715. public List<byte[]> Table { get; private set; }
  716.  
  717. public GIFLocalColorTable(byte[] bytes, ref int byteIndex, int sizeOfLocalColorTable)
  718. {
  719. Table = new List<byte[]>();
  720. // Global Color Table(0~255×3 Bytes)
  721. for (int i = byteIndex; i < byteIndex + (sizeOfLocalColorTable * 3); i += 3)
  722. {
  723. Table.Add(new byte[] { bytes[i], bytes[i + 1], bytes[i + 2] });
  724. }
  725. byteIndex += (sizeOfLocalColorTable * 3);
  726. }
  727. }
  728.  
  729. /// <summary>
  730. /// GIF图像数据
  731. /// </summary>
  732. public sealed class GIFImageData
  733. {
  734. //LZW最小编码表大小
  735. public byte lzwMinimumCodeSize;
  736. //压缩数据(LZW Data)
  737. public List<byte> lzwData;
  738. //解压数据
  739. public List<byte> decodedData;
  740. //0x00 表示Image Data结束
  741. public byte blockTerminator = 0;
  742. private int width;
  743. private int height;
  744. private int needDataSize;//该帧有多少个像素
  745. private bool interlaceFlag;
  746.  
  747. public GIFImageData(byte[] bytes, ref int byteIndex, int width, int height, bool interlaceFlag)
  748. {
  749. this.width = width;
  750. this.height = height;
  751. this.needDataSize = width * height;
  752. this.interlaceFlag = interlaceFlag;
  753. lzwMinimumCodeSize = bytes[byteIndex];
  754. GIFDebug.LogFormat("->>[GIFImageData] lzwMinimumCodeSize={0}", lzwMinimumCodeSize);
  755. byteIndex++;
  756. lzwData = new List<byte>();
  757. //因为图像数据长度是用byte表示,所以可能有多个子块数据
  758. while (ReadDataSubBlock(bytes, ref byteIndex) > 0) ;
  759. //对图像数据解码
  760. DecodeLZWData();
  761. }
  762.  
  763. private int ReadDataSubBlock(byte[] bytes, ref int byteIndex)
  764. {
  765. //size取值范围[0x1~0xFF],0表示整个Image Data结束,
  766. byte size = bytes[byteIndex];
  767. byteIndex++;
  768. try
  769. {
  770. int length = byteIndex + size;
  771. while (byteIndex < length)
  772. lzwData.Add(bytes[byteIndex++]);
  773. }
  774. catch (IndexOutOfRangeException e)
  775. {
  776. UnityEngine.Debug.LogErrorFormat("{0}\nbyteIndex={1}", e.Message, byteIndex);
  777. }
  778. return size;
  779. }
  780.  
  781. /// <summary>
  782. /// 参考 https://www.pianshen.com/article/3347116142/
  783. /// 对LZW数据解码 (参考 UniGif)
  784. /// 1、gif中最大编码长度为12位,能表示的最大数字为4096,因此,编译表中序号不能超过4096
  785. /// 2、gif最大支持256色
  786. /// 3、gif定义了clear code,清除标记为原始数据长度+1
  787. /// 4、gif定义了end code,结束标记的值为清除标记+1
  788. /// </summary>
  789. private void DecodeLZWData()
  790. {
  791. decodedData = new List<byte>();
  792.  
  793. int lzwCodeSize = 0;//数据块大小,这是个变长值
  794. int clearCode = 0;
  795. int finishCode = 0;
  796.  
  797. //初始化编码表
  798. var dic = new Dictionary<int, string>();
  799. InitDictionary(dic, lzwMinimumCodeSize, out lzwCodeSize, out clearCode, out finishCode);
  800. //转成bit数组
  801. var bitData = new BitArray(lzwData.ToArray());
  802. //用来保存解码后的字节数组
  803. byte[] output = new byte[needDataSize];
  804. int outputAddIndex = 0;
  805.  
  806. bool dicInitFlag = false;
  807. string prevEntry = null;
  808. int bitDataIndex = 0;
  809.  
  810. while (bitDataIndex < bitData.Length)
  811. {
  812. if (dicInitFlag)
  813. {
  814. InitDictionary(dic, lzwMinimumCodeSize, out lzwCodeSize, out clearCode, out finishCode);
  815. dicInitFlag = false;
  816. }
  817.  
  818. string entry = null;//LZW算法中的后缀
  819.  
  820. int key = bitData.GetInt(bitDataIndex, lzwCodeSize);
  821.  
  822. //发现清除标记,说明当前数据块读取完毕
  823. if (key == clearCode)
  824. {
  825. // Clear (Initialize dictionary)
  826. dicInitFlag = true;
  827. bitDataIndex += lzwCodeSize;
  828. prevEntry = null;
  829. continue;
  830. }
  831. //发现结束标记,说明所有数据块已读取完毕
  832. else if (key == finishCode)
  833. {
  834. // Exit
  835. GIFDebug.LogWarning("early stop code. bitDataIndex:" + bitDataIndex + " lzwCodeSize:" + lzwCodeSize + " key:" + key + " dic.Count:" + dic.Count);
  836. break;
  837. }
  838. else if (dic.ContainsKey(key))
  839. {
  840. // Output from dictionary
  841. entry = dic[key];
  842. }
  843. else if (key >= dic.Count)
  844. {
  845. if (prevEntry != null)
  846. {
  847. // Output from estimation
  848. entry = prevEntry + prevEntry[0];
  849. }
  850. else
  851. {
  852. //读到一个不合理的数据,这里直接跳过此数据
  853. GIFDebug.LogWarning("It is strange that come here. bitDataIndex:" + bitDataIndex + " lzwCodeSize:" + lzwCodeSize + " key:" + key + " dic.Count:" + dic.Count);
  854. bitDataIndex += lzwCodeSize;
  855. continue;
  856. }
  857. }
  858. else
  859. {
  860. //读到一个不合理的数据,这里直接跳过此数据
  861. GIFDebug.LogWarning("It is strange that come here. bitDataIndex:" + bitDataIndex + " lzwCodeSize:" + lzwCodeSize + " key:" + key + " dic.Count:" + dic.Count);
  862. bitDataIndex += lzwCodeSize;
  863. continue;
  864. }
  865.  
  866. // Output
  867. // Take out 8 bits from the string.
  868. // 将后缀字符(或字符串)转成字节数组并输出
  869. byte[] temp = Encoding.Unicode.GetBytes(entry);
  870. for (int i = 0; i < temp.Length; i++)
  871. {
  872. //Unicode.GetBytes() API会将每个字符用两个字节表示,
  873. //跳过没用的高位字节
  874. if (i % 2 == 0)
  875. {
  876. output[outputAddIndex] = temp[i];
  877. outputAddIndex++;
  878. }
  879. }
  880.  
  881. if (outputAddIndex >= needDataSize)
  882. {
  883. // Exit
  884. break;
  885. }
  886.  
  887. if (prevEntry != null)
  888. {
  889. // Add to dictionary
  890. dic.Add(dic.Count, prevEntry + entry[0]);
  891. }
  892.  
  893. prevEntry = entry;
  894. bitDataIndex += lzwCodeSize;
  895.  
  896. //GIF中LZW算法采用变长参数记录后面数据块中每个数字(字符)用几个bit表示
  897. //第1个数据块中的不同字符(或字符串)用3bit表示,总共能表示8种,当字典存满8项后,清空字典,后面的数据存入第2个数据块。
  898. //第2个数据块中的不同字符(或字符串)用4bit表示,总共能表示16种,当字典存满16项后,清空字典,后面的数据存入第3个数据块。
  899. //依此递推......
  900.  
  901. if (lzwCodeSize == 3 && dic.Count >= 8)
  902. {
  903. lzwCodeSize = 4;
  904. }
  905. else if (lzwCodeSize == 4 && dic.Count >= 16)
  906. {
  907. lzwCodeSize = 5;
  908. }
  909. else if (lzwCodeSize == 5 && dic.Count >= 32)
  910. {
  911. lzwCodeSize = 6;
  912. }
  913. else if (lzwCodeSize == 6 && dic.Count >= 64)
  914. {
  915. lzwCodeSize = 7;
  916. }
  917. else if (lzwCodeSize == 7 && dic.Count >= 128)
  918. {
  919. lzwCodeSize = 8;
  920. }
  921. else if (lzwCodeSize == 8 && dic.Count >= 256)
  922. {
  923. lzwCodeSize = 9;
  924. }
  925. else if (lzwCodeSize == 9 && dic.Count >= 512)
  926. {
  927. lzwCodeSize = 10;
  928. }
  929. else if (lzwCodeSize == 10 && dic.Count >= 1024)
  930. {
  931. lzwCodeSize = 11;
  932. }
  933. else if (lzwCodeSize == 11 && dic.Count >= 2048)
  934. {
  935. lzwCodeSize = 12;
  936. }
  937. //GIF的LZW规定最大使用12bit来表示1个字符(或字符串)
  938. //字典存满后,则继续读下一个数据块, lzwCodeSize的值不再变化
  939. else if (lzwCodeSize == 12 && dic.Count >= 4096)
  940. {
  941. int nextKey = bitData.GetNumeral(bitDataIndex, lzwCodeSize);
  942. //字典已满,即便下一个字符不是清除标记,也要重置字典
  943. if (nextKey != clearCode)
  944. {
  945. dicInitFlag = true;
  946. }
  947. }
  948. }
  949.  
  950. //是否需要交错排序
  951. if (interlaceFlag)
  952. output = SortInterlaceGifData(output, width);
  953.  
  954. decodedData.AddRange(output);
  955. }
  956.  
  957. /// <summary>
  958. /// 初始化字典 (代码引用 UniGif)
  959. /// </summary>
  960. /// <param name="dic">Dictionary</param>
  961. /// <param name="lzwMinimumCodeSize">LZW minimum code size</param>
  962. /// <param name="lzwCodeSize">out LZW code size</param>
  963. /// <param name="clearCode">out Clear code</param>
  964. /// <param name="finishCode">out Finish code</param>
  965. private static void InitDictionary(Dictionary<int, string> dic, int lzwMinimumCodeSize, out int lzwCodeSize, out int clearCode, out int finishCode)
  966. {
  967. int dicLength = (int)Math.Pow(2, lzwMinimumCodeSize);
  968.  
  969. clearCode = dicLength;
  970. finishCode = clearCode + 1;
  971.  
  972. dic.Clear();
  973.  
  974. for (int i = 0; i < dicLength + 2; i++)
  975. {
  976. dic.Add(i, ((char)i).ToString());
  977. }
  978.  
  979. lzwCodeSize = lzwMinimumCodeSize + 1;
  980. }
  981.  
  982. /// <summary>
  983. /// 代码引用 UniGif
  984. /// 交错排序(Sort interlace GIF data)
  985. /// </summary>
  986. /// <param name="decodedData">Decoded GIF data</param>
  987. /// <param name="xNum">Pixel number of horizontal row</param>
  988. /// <returns>Sorted data</returns>
  989. private byte[] SortInterlaceGifData(byte[] decodedData, int xNum)
  990. {
  991. int rowNo = 0;
  992. int dataIndex = 0;
  993. var newArr = new byte[decodedData.Length];
  994. // Every 8th. row, starting with row 0.
  995. for (int i = 0; i < newArr.Length; i++)
  996. {
  997. if (rowNo % 8 == 0)
  998. {
  999. newArr[i] = decodedData[dataIndex];
  1000. dataIndex++;
  1001. }
  1002. if (i != 0 && i % xNum == 0)
  1003. {
  1004. rowNo++;
  1005. }
  1006. }
  1007. rowNo = 0;
  1008. // Every 8th. row, starting with row 4.
  1009. for (int i = 0; i < newArr.Length; i++)
  1010. {
  1011. if (rowNo % 8 == 4)
  1012. {
  1013. newArr[i] = decodedData[dataIndex];
  1014. dataIndex++;
  1015. }
  1016. if (i != 0 && i % xNum == 0)
  1017. {
  1018. rowNo++;
  1019. }
  1020. }
  1021. rowNo = 0;
  1022. // Every 4th. row, starting with row 2.
  1023. for (int i = 0; i < newArr.Length; i++)
  1024. {
  1025. if (rowNo % 4 == 2)
  1026. {
  1027. newArr[i] = decodedData[dataIndex];
  1028. dataIndex++;
  1029. }
  1030. if (i != 0 && i % xNum == 0)
  1031. {
  1032. rowNo++;
  1033. }
  1034. }
  1035. rowNo = 0;
  1036. // Every 2nd. row, starting with row 1.
  1037. for (int i = 0; i < newArr.Length; i++)
  1038. {
  1039. if (rowNo % 8 != 0 && rowNo % 8 != 4 && rowNo % 4 != 2)
  1040. {
  1041. newArr[i] = decodedData[dataIndex];
  1042. dataIndex++;
  1043. }
  1044. if (i != 0 && i % xNum == 0)
  1045. {
  1046. rowNo++;
  1047. }
  1048. }
  1049.  
  1050. return newArr;
  1051. }
  1052. }
  1053.  
  1054. //代码引用 UniGif
  1055. public static class BitArrayExtension
  1056. {
  1057. public static int GetInt(this BitArray array, int startIndex, int bitLength)
  1058. {
  1059. var newArray = new BitArray(bitLength);
  1060.  
  1061. for (int i = 0; i < bitLength; i++)
  1062. {
  1063. if (array.Length <= startIndex + i)
  1064. {
  1065. newArray[i] = false;
  1066. }
  1067. else
  1068. {
  1069. bool bit = array.Get(startIndex + i);
  1070. newArray[i] = bit;
  1071. }
  1072. }
  1073.  
  1074. return newArray.ToInt();
  1075. }
  1076.  
  1077. public static int ToInt(this BitArray array)
  1078. {
  1079. if (array == null)
  1080. {
  1081. GIFDebug.LogError("array is nothing.");
  1082. return 0;
  1083. }
  1084. if (array.Length > 32)
  1085. {
  1086. GIFDebug.LogError("must be at most 32 bits long.");
  1087. return 0;
  1088. }
  1089.  
  1090. var result = new int[1];
  1091. array.CopyTo(result, 0);
  1092. return result[0];
  1093. }
  1094. }
  1095.  
  1096. //保存解析完成后的GIF数据
  1097. public sealed class GIFData
  1098. {
  1099. public GIFLogicalScreenDescriptor m_logicalScreenDescriptor;
  1100. public GIFGraphicControlExtension m_graphicControlExtension;
  1101. public GIFGlobalColorTable m_globalColorTable;
  1102. public List<Texture2D> textures = new List<Texture2D>();
  1103. }
  1104.  
  1105. public sealed class GIFDebug
  1106. {
  1107. [Conditional("UNITY_EDITOR")]
  1108. public static void Log(string msg)
  1109. {
  1110. #if DEBUG_GIF_DECODE
  1111. UnityEngine.Debug.Log(msg);
  1112. #endif
  1113. }
  1114.  
  1115. [Conditional("UNITY_EDITOR")]
  1116. public static void LogFormat(string format, params object[] args)
  1117. {
  1118. #if DEBUG_GIF_DECODE
  1119. UnityEngine.Debug.LogFormat(format, args);
  1120. #endif
  1121. }
  1122.  
  1123. public static void LogError(string msg)
  1124. {
  1125. UnityEngine.Debug.LogError(msg);
  1126. }
  1127.  
  1128. public static void LogErrorFormat(string format, params object[] args)
  1129. {
  1130. UnityEngine.Debug.LogErrorFormat(format, args);
  1131. }
  1132.  
  1133. public static void LogWarning(string msg)
  1134. {
  1135. UnityEngine.Debug.LogWarning(msg);
  1136. }
  1137. }


使用


  1. using System.Collections;
  2. using System.Collections.Generic;
  3. using UnityEngine;
  4.  
  5. public class Test : MonoBehaviour
  6. {
  7. public List<Texture2D> textures;
  8.  
  9. void Start()
  10. {
  11. string path = string.Format("file:///{0}/test.gif", Application.streamingAssetsPath);
  12. Debug.Log(path);
  13. StartCoroutine(LoadGif(path));
  14. }
  15.  
  16. IEnumerator LoadGif(string url)
  17. {
  18. using (WWW www = new WWW(url))
  19. {
  20. yield return www;
  21.  
  22. if (string.IsNullOrEmpty(www.error) == false)
  23. {
  24. Debug.LogError("File load error.\n" + www.error);
  25. yield break;
  26. }
  27.  
  28. byte[] bytes = www.bytes;
  29. GIFImage gif = new GIFImage(bytes);
  30. textures = gif.textures;
  31. }
  32. }
  33. }


运行测试

111111.png

标签: Unity3d

Powered by emlog  蜀ICP备18021003号-1   sitemap

川公网安备 51019002001593号