... And no, a command line version does not suffice here as we need to do some real-time processing
data:image/s3,"s3://crabby-images/5e393/5e3931a1ed3c273c9e1118f9dba0ee2f4800c7bb" alt="Wink ;)"
data:image/s3,"s3://crabby-images/fff91/fff91b021592121aacbe5703ec1d59e2fad06369" alt="Smile :)"
Code: Select all
// Requires following includes
#include <vector>
#include <cmath>
#include <utility>
#include <Magick++.h>
/**
* Calculate the otsu threshold of given image.
*
* This function will automatically convert the input image to to grayscale when
* it is not provided as such.
*
* Returns the calculated threshold between 0 and QuantumRange
*
* Based on paper "A C++ Implementation of Otsu’s Image Segmentation Method"
* by Juan Pablo Balarini, Sergio Nesmachnow (2016)
* http://www.ipol.im/pub/art/2016/158/
*/
int otsuThreshold(const Magick::Image &image)
{
int n = QuantumRange;
long totalPixels = image.columns() * image.rows();
// Prepare histogram image
Magick::Image histImage(image);
if (histImage.colorSpace() != Magick::GRAYColorspace) {
histImage.colorSpace(Magick::GRAYColorspace);
}
// Find number of occurrences per color
// The histogram should stretch all bins
std::vector<long> histogram(n+1, 0);
Magick::Pixels view(histImage);
const Magick::PixelPacket *px = view.getConst(0, 0, image.columns(), image.rows());
for (long i = 0; i < totalPixels; i++) {
histogram[std::round(px->red)]++;
*px++;
}
// Compute threshold
// Init variables
int threshold = 0;
double sum = 0;
double sumB = 0;
long q1 = 0;
long q2 = 0;
double varMax = 0;
// Auxiliary value for computing m2
for (int i = 0; i <= n; i++){
sum += (double) i * histogram[i];
}
for (int i = 0; i <= n; i++) {
// Update q1
q1 += histogram[i];
if (q1 == 0) {
continue;
}
// Update q2
q2 = totalPixels - q1;
if (q2 == 0) {
break;
}
// Update m1 and m2
sumB += (double) i * histogram[i];
double m1 = sumB / q1;
double m2 = (sum - sumB) / q2;
// Update the between class variance
double varBetween = (double) q1 * (double) q2 * (m1 - m2) * (m1 - m2);
// Update the threshold if necessary
if (varBetween > varMax) {
varMax = varBetween;
threshold = i;
}
}
return threshold;
}
The threshold values are not identical, but often close. Means and isolate are the same technique implemented in two different ways.What I didn't understand was that Otsu, K-Means and Isodata are completely identical for the given inputs. I'm curious for which inputs they would differ...