0
Fork 0
mirror of https://github.com/willnorris/imageproxy.git synced 2024-12-16 21:56:43 -05:00
imageproxy/proxy/transform.go

105 lines
2.2 KiB
Go
Raw Normal View History

// Copyright 2013 Google Inc. All rights reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
2013-12-05 02:42:59 -05:00
// Package transform handles image transformation such as resizing.
package proxy
2013-12-05 02:42:59 -05:00
import (
"bytes"
"image"
"image/gif"
"image/jpeg"
"image/png"
"reflect"
2013-12-05 02:42:59 -05:00
"github.com/disintegration/imaging"
2013-12-05 02:42:59 -05:00
)
// Transform the provided image.
func Transform(img []byte, opt *Options) ([]byte, error) {
if opt == nil || reflect.DeepEqual(opt, emptyOptions) {
// bail if no transformation was requested
return img, nil
}
2013-12-05 02:42:59 -05:00
// decode image
m, format, err := image.Decode(bytes.NewReader(img))
2013-12-05 02:42:59 -05:00
if err != nil {
return nil, err
}
2013-12-06 21:03:16 -05:00
// convert percentage width and height values to absolute values
var h, w int
if opt.Width > 0 && opt.Width < 1 {
w = int(float64(m.Bounds().Max.X-m.Bounds().Min.X) * opt.Width)
} else {
w = int(opt.Width)
}
if opt.Height > 0 && opt.Height < 1 {
h = int(float64(m.Bounds().Max.Y-m.Bounds().Min.Y) * opt.Height)
} else {
h = int(opt.Height)
}
2013-12-05 02:42:59 -05:00
// resize
if w != 0 || h != 0 {
if opt.Fit {
m = imaging.Fit(m, w, h, imaging.Lanczos)
} else {
if w == 0 || h == 0 {
m = imaging.Resize(m, w, h, imaging.Lanczos)
} else {
m = imaging.Thumbnail(m, w, h, imaging.Lanczos)
}
}
2013-12-05 02:42:59 -05:00
}
// flip
if opt.FlipVertical {
m = imaging.FlipV(m)
}
if opt.FlipHorizontal {
m = imaging.FlipH(m)
}
2013-12-06 21:03:16 -05:00
// rotate
switch opt.Rotate {
case 90:
m = imaging.Rotate90(m)
break
case 180:
m = imaging.Rotate180(m)
break
case 270:
m = imaging.Rotate270(m)
break
}
2013-12-05 02:42:59 -05:00
// encode image
buf := new(bytes.Buffer)
switch format {
case "gif":
gif.Encode(buf, m, nil)
break
case "jpeg":
jpeg.Encode(buf, m, nil)
break
case "png":
png.Encode(buf, m)
break
}
return buf.Bytes(), nil
2013-12-05 02:42:59 -05:00
}