2017-07-28 10:18:24 -07:00
|
|
|
// Copyright 2017 The goimagehash Authors. All rights reserved.
|
|
|
|
// Use of this source code is governed by a BSD-style
|
|
|
|
// license that can be found in the LICENSE file.
|
|
|
|
|
|
|
|
package transforms
|
|
|
|
|
|
|
|
import (
|
|
|
|
"math"
|
2019-03-18 05:09:40 -07:00
|
|
|
"sync"
|
2017-07-28 10:18:24 -07:00
|
|
|
)
|
|
|
|
|
2017-07-31 07:24:04 -07:00
|
|
|
// DCT1D function returns result of DCT-II.
|
2019-03-18 21:52:44 -07:00
|
|
|
// DCT type II, unscaled. Algorithm by Byeong Gi Lee, 1984.
|
2017-07-28 10:18:24 -07:00
|
|
|
func DCT1D(input []float64) []float64 {
|
2019-03-18 21:52:44 -07:00
|
|
|
temp := make([]float64, len(input))
|
|
|
|
forwardTransform(input, temp, len(input))
|
|
|
|
return input
|
|
|
|
}
|
2017-07-28 10:18:24 -07:00
|
|
|
|
2019-03-18 21:52:44 -07:00
|
|
|
func forwardTransform(input, temp []float64, Len int) {
|
|
|
|
if Len == 1 {
|
|
|
|
return
|
|
|
|
}
|
2017-07-28 10:18:24 -07:00
|
|
|
|
2019-03-18 21:52:44 -07:00
|
|
|
halfLen := Len / 2
|
|
|
|
for i := 0; i < halfLen; i++ {
|
|
|
|
x, y := input[i], input[Len-1-i]
|
|
|
|
temp[i] = x + y
|
|
|
|
temp[i+halfLen] = (x - y) / (math.Cos((float64(i)+0.5)*math.Pi/float64(Len)) * 2)
|
|
|
|
}
|
|
|
|
forwardTransform(temp, input, halfLen)
|
|
|
|
forwardTransform(temp[halfLen:], input, halfLen)
|
|
|
|
for i := 0; i < halfLen-1; i++ {
|
|
|
|
input[i*2+0] = temp[i]
|
|
|
|
input[i*2+1] = temp[i+halfLen] + temp[i+halfLen+1]
|
2017-07-28 10:18:24 -07:00
|
|
|
}
|
2019-03-18 21:52:44 -07:00
|
|
|
input[Len-2], input[Len-1] = temp[halfLen-1], temp[Len-1]
|
2017-07-28 10:18:24 -07:00
|
|
|
}
|
|
|
|
|
2017-07-31 07:24:04 -07:00
|
|
|
// DCT2D function returns a result of DCT2D by using the seperable property.
|
2017-07-28 10:18:24 -07:00
|
|
|
func DCT2D(input [][]float64, w int, h int) [][]float64 {
|
|
|
|
output := make([][]float64, h)
|
|
|
|
for i := range output {
|
|
|
|
output[i] = make([]float64, w)
|
|
|
|
}
|
|
|
|
|
2019-03-18 05:09:40 -07:00
|
|
|
wg := new(sync.WaitGroup)
|
2017-07-28 10:18:24 -07:00
|
|
|
for i := 0; i < h; i++ {
|
2019-03-18 05:09:40 -07:00
|
|
|
wg.Add(1)
|
|
|
|
go func(i int) {
|
|
|
|
cols := DCT1D(input[i])
|
|
|
|
output[i] = cols
|
|
|
|
wg.Done()
|
|
|
|
}(i)
|
2017-07-28 10:18:24 -07:00
|
|
|
}
|
|
|
|
|
2019-03-18 05:09:40 -07:00
|
|
|
wg.Wait()
|
2017-07-28 10:18:24 -07:00
|
|
|
for i := 0; i < w; i++ {
|
2019-03-18 05:09:40 -07:00
|
|
|
wg.Add(1)
|
2017-07-28 10:18:24 -07:00
|
|
|
in := make([]float64, h)
|
2019-03-18 05:09:40 -07:00
|
|
|
go func(i int) {
|
|
|
|
for j := 0; j < h; j++ {
|
|
|
|
in[j] = output[j][i]
|
|
|
|
}
|
|
|
|
rows := DCT1D(in)
|
|
|
|
for j := 0; j < len(rows); j++ {
|
|
|
|
output[j][i] = rows[j]
|
|
|
|
}
|
|
|
|
wg.Done()
|
|
|
|
}(i)
|
2017-07-28 10:18:24 -07:00
|
|
|
}
|
|
|
|
|
2019-03-18 05:09:40 -07:00
|
|
|
wg.Wait()
|
2017-07-28 10:18:24 -07:00
|
|
|
return output
|
|
|
|
}
|