image transformation

¿Cómo hacer esta transformación de imagen?



transformation (2)

Tengo una imagen con una mancha coloreada que tiene bordes borrosos (mitad superior), y quiero crear un contorno para él hecho de líneas rectas (mitad inferior):

No tengo problemas para rellenar la forma, solo agrego contornos. Se puede convertir en una imagen en blanco y negro si es necesario.

¿Alguien puede señalarme una simple transformación / procedimiento que pueda hacerlo? Preferiblemente, algo puedo encontrar fácilmente un ejemplo de código.


No es realmente una respuesta completa, pero tal vez sea suficiente para comenzar, o lo suficiente como para que alguien más comente y agregue algunas ideas más, y nadie dijo que las respuestas tenían que ser completas de todos modos.

Utilicé ImageMagick solo desde la línea de comandos para segmentar su imagen en tres: el gris-rojo borroso es un poco molesto si intenta hacer una simple reducción de color a tres colores. ImageMagick está instalado en la mayoría de las distribuciones de Linux y está disponible para OSX y Windows.

Primero, quiero hacer que todo el gris en la parte superior izquierda de la imagen sea un tono de amarillo. Entonces quiero hacer que todo el negro en la parte inferior derecha de la imagen sea otro tono de amarillo ligeramente diferente. Entonces quiero hacer que todo lo que no sea remotamente amarillo en rojo. Cada oración anterior corresponde a una línea de código a continuación:

convert wave.jpg / -fuzz 50% -fill "rgb(255,255,0)" -opaque white / -fuzz 20% -fill "rgb(250,250,0)" -opaque black / -fuzz 10% -fill red +opaque yellow result.png

Ahora puedo cambiar los dos tonos temporales de amarillo nuevamente en blanco y negro:

convert result.png -fuzz 0 / -fill white -opaque "rgb(255,255,0)" / -fill black -opaque "rgb(250,250,0)" result2.png

Y luego puedo suavizar los jaggies con un filtro mediano:

convert result2.png -median 25x25 result3.png

Puedo detectar los bordes ahora, usando -edge :

convert result3.png -edge 1 result4.png

Ahora que ves cómo funciona, puedes hacer todo eso en un simple comando:

convert wave.jpg / -fuzz 50% -fill "rgb(255,255,0)" -opaque white / -fuzz 20% -fill "rgb(250,250,0)" -opaque black / -fuzz 10% -fill red +opaque yellow / -fuzz 0 -fill white -opaque "rgb(255,255,0)" / -fill black -opaque "rgb(250,250,0)" -median 25x25 -edge 1 result.png

Ahora, puede encontrar todos los puntos en los que un píxel rojo toca un píxel blanco; le sugeriría que lo haga en Magick ++ (el enlace C ++ de ImageMagick, aunque hay enlaces Ruby y Python y PHP si lo prefiere) y ponga esos puntos en una lista STL y aplique el Ramer–Douglas–Peucker para obtener segmentos de línea.

Luego haga lo mismo para todos los puntos donde un píxel rojo toca un píxel negro para obtener los segmentos de línea en el lado inferior.


Sentí ganas de codificarlo en C ++ para ti en lugar de usar la línea de comando como para mi otra respuesta, así que lo he puesto como una respuesta diferente. Además, también implementa el algoritmo Douglas-Peucker y, por diversión y buena medida, lo anima.

//////////////////////////////////////////////////////////////////////////////// // main.cpp // Mark Setchell // To find a blob in an image and generate line segments that describe it, // Use ImageMagick Magick++ and Ramer-Douglas-Peucker algorithm. // https://en.wikipedia.org/wiki/Ramer-Douglas-Peucker-algorithm // // function DouglasPeucker(PointList[], epsilon) // // Find the point with the maximum distance // dmax = 0 // index = 0 // end = length(PointList) // for i = 2 to ( end - 1) { // d = perpendicularDistance(PointList[i], Line(PointList[1], PointList[end])) // if ( d > dmax ) { // index = i // dmax = d // } // } // // If max distance is greater than epsilon, recursively simplify // if ( dmax > epsilon ) { // // Recursive call // recResults1[] = DouglasPeucker(PointList[1...index], epsilon) // recResults2[] = DouglasPeucker(PointList[index...end], epsilon) // // Build the result list // ResultList[] = {recResults1[1...length(recResults1)-1], recResults2[1...length(recResults2)]} // } else { // ResultList[] = {PointList[1], PointList[end]} // } // // Return the result // return ResultList[] // end // //////////////////////////////////////////////////////////////////////////////// #include <Magick++.h> #include <iostream> #include <fstream> #include <sstream> #include <string> #include <vector> #include <cassert> #include <cstdio> #include <iostream> #include <cmath> using namespace std; using namespace Magick; // Global debug image Image DEBUG_IMAGE; int DEBUG_NUM=0; char DEBUG_NAME[64]; #define DEBUG(img) {sprintf(DEBUG_NAME,"debug-%04d.png",DEBUG_NUM++);img.write(DEBUG_NAME);} // Point class class Point { private: double px,py; public: // Constructor Point(double x = 0.0, double y = 0.0) { px = x; py = y; } // Getters double x() { return px; } double y() { return py; } }; // Line class class Line { private: Point start,end; public: // Constructor Line(Point a=Point(0,0), Point b=Point(0,0)){ start=a; end=b; } // Getters double startx() { return start.x(); } double starty() { return start.y(); } double endx() { return end.x(); } double endy() { return end.y(); } double DistanceTo(Point p){ double y2my1 = end.y() - start.y(); double x2mx1 = end.x() - start.x(); double numerator = fabs(y2my1*p.x() - x2mx1*p.y() + end.x()*start.y() - end.y()*start.x()); double denominator = sqrt(y2my1*y2my1 + x2mx1*x2mx1); return numerator/denominator; } }; void DouglasPeucker(vector<Point>& PointList,int startindex,int endindex,double epsilon,vector<Line>& Results){ // Find the point with the maximum distance double d,dmax=0; int i,index; Line line(PointList[startindex],PointList[endindex]); for(i=startindex+1;i<endindex;i++){ d=line.DistanceTo(PointList[i]) ; if(d>dmax){ index=i; dmax=d; } } // If max distance is greater than epsilon, recursively simplify if ( dmax > epsilon ) { // Recursive call to do left and then right parts DouglasPeucker(PointList,startindex,index,epsilon,Results); DouglasPeucker(PointList,index,endindex,epsilon,Results); } else { Results.push_back(line); // Rest of else statement is just generating debug image std::list<Magick::Drawable> drawList; drawList.push_back(DrawableStrokeColor("blue")); drawList.push_back(DrawableStrokeWidth(1)); drawList.push_back(DrawableLine(line.startx(),line.starty(),line.endx(),line.endy())); DEBUG_IMAGE.draw(drawList); DEBUG(DEBUG_IMAGE); } } int main(int argc,char **argv) { InitializeMagick(*argv); // Create some colours Color black = Color("rgb(0,0,0)"); Color white = Color("rgb(65535,65535,65535)"); Color red = Color("rgb(65535,0,0)"); Color green = Color("rgb(0,65535,0)"); Color blue = Color("rgb(0,0,65535)"); // Create a fuzz factor scaling assert(QuantumRange==65535); const double fuzzscale = QuantumRange/100; // Load wave image Image image("wave.jpg"); int w = image.columns(); int h = image.rows(); cout << "Dimensions: " << w << "x" << h << endl; // Copy for debug purposes DEBUG_IMAGE=image; // Fill top-left greyish area of image with green image.colorFuzz(50*fuzzscale); image.opaque(white,green); DEBUG(image); // Fill bottom-right blackish area of image with blue image.colorFuzz(20*fuzzscale); image.opaque(black,blue); DEBUG(image); // Fill rest of image with red image.colorFuzz(81*fuzzscale); image.opaque(red,red); DEBUG(image); // Median filter to remove jaggies image.medianFilter(25); DEBUG(image); // Find red-green edge by cloning, making blue red, then looking for edges std::vector<Point> RGline; Image RGimage=image; RGimage.opaque(blue,red); DEBUG(RGimage); RGimage.type(GrayscaleType); DEBUG(RGimage); RGimage.normalize(); DEBUG(RGimage); RGimage.edge(1); DEBUG(RGimage); // Now pass over the image collecting white pixels (from red-green edge) // Ignore a single row at top & bottom and a single column at left & right edges // Get a "pixel cache" for the entire image PixelPacket *pixels = RGimage.getPixels(0, 0, w, h); int x,y; for(x=1; x<w-2; x++){ for(y=1; y<h-2; y++){ Color color = pixels[w * y + x]; // Collect white "edge" pixels if(color.redQuantum()==65535){ RGline.push_back(Point(x,y)); } } } cout << "RGline has " << RGline.size() << " elements" << endl; // Results - a vector of line segments std::vector<Line> Results; // epsilon = Max allowable deviation from straight line in pixels // Make epsilon smaller for more, shorter, more accurate lines // Make epsilon larger for fewer, more approximate lines double epsilon=18; DouglasPeucker(RGline,0,RGline.size()-1,epsilon,Results); int lines1=Results.size(); cout << "Upper boundary mapped to " << lines1 << " line segments (epsilon=" << epsilon << ")" << endl; // Find red-blue edge by cloning, making green red, then looking for edges std::vector<Point> RBline; Image RBimage=image; RBimage.opaque(green,red); DEBUG(RBimage); RBimage.type(GrayscaleType); DEBUG(RBimage); RBimage.normalize(); DEBUG(RBimage); RBimage.edge(1); DEBUG(RBimage); // Now pass over the image collecting white pixels (from red-green edge) // Ignore a single row at top & bottom and a single column at left & right edges // Get a "pixel cache" for the entire image pixels = RBimage.getPixels(0, 0, w, h); for(x=1; x<w-2; x++){ for(y=1; y<h-2; y++){ Color color = pixels[w * y + x]; // Collect white "edge" pixels if(color.redQuantum()==65535){ RBline.push_back(Point(x,y)); } } } cout << "RBline has " << RBline.size() << " elements" << endl; DouglasPeucker(RBline,0,RBline.size()-1,epsilon,Results); int lines2=Results.size() - lines1; cout << "Lower boundary mapped to " << lines2 << " line segments (epsilon=" << epsilon << ")" << endl; }

Mi Makefile ve así:

main: main.cpp clang++ -std=gnu++11 -Wall -pedantic main.cpp -o main $$(Magick++-config --cppflags --cxxflags --ldflags --libs)