我开发了一个保存纹理(屏幕截图)的应用程序,我需要对其进行压缩,但是-我无法使用EncodeToPNG
方法在屏幕上显示图像。
我的步骤:
Texture2D tex = new Texture2D(recwidth, recheight,
TextureFormat.RGB24, false);
// RGB24-由于下一步:
tex.ReadPixels(rex, rdPXX, rdPXY);
tex.Apply();
tex.Compress(false);
稍后我需要使用-
在屏幕上显示它var bytes = tex.EncodeToPNG();
但是我不能,因为众所周知,EncodeToPNG
不支持压缩纹理,那我该怎么办?我的手机占用了很多空间
答案 0 :(得分:5)
您必须先对Texture解压缩,然后再对其使用EncodeToPNG
。您应该可以使用RenderTexture
执行此操作。将压缩的Texture2D
复制到RenderTexture
。将RenderTexture
分配给RenderTexture.active
,然后使用ReadPixels
将像素从RenderTexture
复制到您希望采用解压缩格式的新Texture2D
。现在,您可以在其上使用EncodeToPNG
。
帮助程序功能:
public static class ExtensionMethod
{
public static Texture2D DeCompress(this Texture2D source)
{
RenderTexture renderTex = RenderTexture.GetTemporary(
source.width,
source.height,
0,
RenderTextureFormat.Default,
RenderTextureReadWrite.Linear);
Graphics.Blit(source, renderTex);
RenderTexture previous = RenderTexture.active;
RenderTexture.active = renderTex;
Texture2D readableText = new Texture2D(source.width, source.height);
readableText.ReadPixels(new Rect(0, 0, renderTex.width, renderTex.height), 0, 0);
readableText.Apply();
RenderTexture.active = previous;
RenderTexture.ReleaseTemporary(renderTex);
return readableText;
}
}
用法:
创建压缩的纹理:
Texture2D tex = new Texture2D(recwidth, recheight, TextureFormat.RGB24, false);
tex.ReadPixels(rex, rdPXX, rdPXY);
tex.Apply();
tex.Compress(false);
从压缩的纹理创建一个新的解压缩纹理:
Texture2D decopmpresseTex = tex.DeCompress();
编码为png
var bytes = decopmpresseTex.EncodeToPNG();