9

令人惊讶的是,多年来,简单地缩放实际 PNG的唯一方法是使用非常棒的库http://wiki.unity3d.com/index.php/TextureScale

下面的例子

如何使用 Unity5 函数缩放 PNG?现在必须有一种方法可以使用新的 UI 等等。

因此,缩放实际像素(例如 in Color[])或按字面意思是 PNG 文件,可能是从网上下载的。

(顺便说一句,如果您是 Unity 新手,则该Resize调用无关紧要。它只会更改数组的大小。)

public WebCamTexture wct;

public void UseFamousLibraryToScale()
    {
    // take the photo. scale down to 256
    // also  crop to a central-square

    WebCamTexture wct;
    int oldW = wct.width; // NOTE example code assumes wider than high
    int oldH = wct.height;

    Texture2D photo = new Texture2D(oldW, oldH,
          TextureFormat.ARGB32, false);
    //consider WaitForEndOfFrame() before GetPixels
    photo.SetPixels( 0,0,oldW,oldH, wct.GetPixels() );
    photo.Apply();

    int newH = 256;
    int newW = Mathf.FloorToInt(
           ((float)newH/(float)oldH) * oldW );

    // use a famous Unity library to scale
    TextureScale.Bilinear(photo, newW,newH);

    // crop to central square 256.256
    int startAcross = (newW - 256)/2;
    Color[] pix = photo.GetPixels(startAcross,0, 256,256);
    photo = new Texture2D(256,256, TextureFormat.ARGB32, false);
    photo.SetPixels(pix);
    photo.Apply();
    demoImage.texture = photo;

    // consider WriteAllBytes(
    //   Application.persistentDataPath+"p.png",
    //   photo.EncodeToPNG()); etc
    }

顺便说一句,我可能只是在谈论缩小这里(因为你经常必须这样做来发布图像,即时创建一些东西等等。)我想,通常不需要放大图像大小;这在质量方面毫无意义。

4

1 回答 1

4

如果您对拉伸缩放感到满意,实际上有更简单的方法是使用临时的 RenderTexture 和 Graphics.Blit。如果您需要它是 Texture2D,则暂时交换 RenderTexture.active 并将其像素读取到 Texture2D 应该可以解决问题。例如:

public Texture2D ScaleTexture(Texture src, int width, int height){
    RenderTexture rt = RenderTexture.GetTemporary(width, height);
    Graphics.Blit(src, rt);

    RenderTexture currentActiveRT = RenderTexture.active;
    RenderTexture.active = rt;
    Texture2D tex = new Texture2D(rt.width,rt.height); 

    tex.ReadPixels(new Rect(0, 0, tex.width, tex.height), 0, 0);
    tex.Apply();

    RenderTexture.ReleaseTemporary(rt);
    RenderTexture.active = currentActiveRT;

    return tex;
}
于 2017-06-05T15:37:19.300 回答