2

QImageがあり、周囲の白をトリミングする必要があります(つまり、白以外の領域のみにトリミングします)。

QImageまたはQPixmapには、画像の非白領域のバウンディングボックスを返す組み込み関数がありQGraphicsPixmapItem::opaqueArea()ますか?つまり、白以外のピクセルはその境界ボックスの外側にありません。

4

2 に答える 2

4

このための組み込み関数は表示されませんが、次のように独自の関数を作成するのは簡単なはずです。

QRect getBoundsWithoutColor(QImage qImage, const Qcolor &exclusionColor = Qt:white)
{
    QRect ofTheKing;

    int maxX = 0; int minX = qImage.width;
    int maxY = 0; int minY = qImage.height;

    for(int x=0; x < qImage.width(); x++)
        for(int y=0; y < qImage.height(); y++)
            if (QColor.fromRgb(qImage.pixel(x, y)) != exclusionColor)
            {
                if(x < minX) minX = x;
                if(x > maxX) maxX = x;
                if(y < minY) minY = y;
                if(y > maxY) maxY = y;
            }

    if (minX > maxX || minY > maxY)
        // The whole picture is white. How you wanna handle this case is up to you.
    else
        ofTheKing.setCoords(minX, minY, maxX+1, maxY+1);

    return ofTheKing;
 }
于 2013-01-04T18:28:22.050 に答える
1

QImageにはそのような関数は組み込まれていませんが、QImageではピクセルデータに直接アクセスできるため、自分でコーディングするのはそれほど難しくありません。頭のてっぺんにはこんな感じでしょう。

const QRgb CROP_COLOR = QColor(Qt::white).rgb();

QImage crop(const QImage& image)
{
    QRect croppedRegion(0, 0, image.width(), image.height());

    // Top
    for (int row = 0; row < image.height(); row++) {
        for (int col = 0; col < image.width(); col++) {
            if (image.pixel(col, row) != CROP_COLOR) {
                croppedRegion.setTop(row);
                row = image.height();
                break;
            }
        }
    }

    // Bottom
    for (int row = image.height() - 1; row >= 0; row--) {
        for (int col = 0; col < image.width(); col++) {
            if (image.pixel(col, row) != CROP_COLOR) {
                croppedRegion.setBottom(row);
                row = -1;
                break;
            }
        }
    }

    // Left
    for (int col = 0; col < image.width(); col++) {
        for (int row = 0; row < image.height(); row++) {
            if (image.pixel(col, row) != CROP_COLOR) {
                croppedRegion.setLeft(col);
                col = image.width();
                break;
            }
        }
    }

    // Right
    for (int col = image.width(); col >= 0; col--) {
        for (int row = 0; row < image.height(); row++) {
            if (image.pixel(col, row) != CROP_COLOR) {
                croppedRegion.setRight(col);
                col = -1;
                break;
            }
        }
    }

    return image.copy(croppedRegion);
}

免責事項:このコードはおそらく最適化できます。私はそれをテストしていません、それはコンパイルするように見えますが、どこかにタイプミスがあるかもしれません。一般的な考え方を示すためにそこに置いただけです。

于 2013-01-04T18:22:32.640 に答える