OT2O
OT2O

Reputation: 139

Unity 180 rotation for a Texture2D, or maybe flip both

I could use just a little help. I am loading a png into a Texture2D, and have managed to flip it over the y axis using the following script I found. I need to flip it over the x axis now. I know a small modification should do it, but I have not managed to get the results I want.

    Texture2D FlipTexture(Texture2D original){
    Texture2D flipped = new Texture2D(original.width,original.height);

    int xN = original.width;
    int yN = original.height;

    for(int i=0;i<xN;i++){
        for(int j=0;j<yN;j++){
            flipped.SetPixel(xN-i-1, j, original.GetPixel(i,j));
        }
    }

    flipped.Apply();

    return flipped;
}

Upvotes: 5

Views: 17998

Answers (3)

Steven Delrue
Steven Delrue

Reputation: 443

This flips the texture upside down:

int width = texture.width;
int height = texture.height;
Texture2D snap = new Texture2D(width, height);
Color[] pixels = texture.GetPixels();
Color[] pixelsFlipped = new Color[pixels.Length];

for (int i = 0; i < height; i++)
{
    Array.Copy(pixels, i*width, pixelsFlipped, (height-i-1) * width , width);
}

snap.SetPixels(pixelsFlipped);
snap.Apply();

Upvotes: 2

Programmer
Programmer

Reputation: 125275

Texture2D FlipTexture(Texture2D original, bool upSideDown = true)
{

    Texture2D flipped = new Texture2D(original.width, original.height);

    int xN = original.width;
    int yN = original.height;


    for (int i = 0; i < xN; i++)
    {
        for (int j = 0; j < yN; j++)
        {
            if (upSideDown)
            {
                flipped.SetPixel(j, xN - i - 1, original.GetPixel(j, i));
            }
            else
            {
                flipped.SetPixel(xN - i - 1, j, original.GetPixel(i, j));
            }
        }
    }
    flipped.Apply();

    return flipped;
}

To call it:

FlipTexture(camTexture, true); //Upside down

FlipTexture(camTexture, false); //Sideways

Upvotes: 4

Fattie
Fattie

Reputation: 12621

say "pix" is a png,

Texture2D photo;
Color[] pix = photo.GetPixels(startAcross,0, 256,256);
// (256 is just an example size)

this ENTIRELY ROTATES a png 180 degrees

System.Array.Reverse(pix, 0, pix.Length);

this mirrors a PNG just around the upright axis

        for(int row=0;row<256;++row)
            System.Array.Reverse(pix, row*256, 256);

Upvotes: 9

Related Questions