6

我有一个 JPG 格式的正片和另一个负片图像的文件夹,我想根据这些图像训练一个 SVM,我已经完成了以下操作,但我收到了一个错误:

Mat classes = new Mat();
Mat trainingData = new Mat();

Mat trainingImages = new Mat();
Mat trainingLabels = new Mat();

CvSVM clasificador;

for (File file : new File(path + "positives/").listFiles()) {
        Mat img = Highgui.imread(file.getAbsolutePath());
        img.reshape(1, 1);

        trainingImages.push_back(img);
        trainingLabels.push_back(Mat.ones(new Size(1, 1), CvType.CV_32FC1));
    }

    for (File file : new File(path + "negatives/").listFiles()) {
        Mat img = Highgui.imread(file.getAbsolutePath());
        img.reshape(1, 1);

        trainingImages.push_back(img);
        trainingLabels.push_back(Mat.zeros(new Size(1, 1), CvType.CV_32FC1));
    }

    trainingImages.copyTo(trainingData);
    trainingData.convertTo(trainingData, CvType.CV_32FC1);
    trainingLabels.copyTo(classes);

    CvSVMParams params = new CvSVMParams();
    params.set_kernel_type(CvSVM.LINEAR);

    clasificador = new CvSVM(trainingData, classes, new Mat(), new Mat(), params);

当我尝试运行时,我得到:

OpenCV Error: Bad argument (train data must be floating-point matrix) in cvCheckTrainData, file ..\..\..\src\opencv\modules\ml\src\inner_functions.cpp, line 857
Exception in thread "main" CvException [org.opencv.core.CvException: ..\..\..\src\opencv\modules\ml\src\inner_functions.cpp:857: error: (-5) train data must be floating-point matrix in function cvCheckTrainData
]
    at org.opencv.ml.CvSVM.CvSVM_1(Native Method)
    at org.opencv.ml.CvSVM.<init>(CvSVM.java:80)

我无法训练 SVM,知道吗?谢谢

4

2 回答 2

11

假设您通过重塑图像并使用它来训练 SVM 知道自己在做什么,最可能的原因是您的

Mat img = Highgui.imread(file.getAbsolutePath());

未能实际读取图像,生成img具有 nulldata属性的矩阵,最终将在 OpenCV 代码中触发以下内容:

// check parameter types and sizes
if( !CV_IS_MAT(train_data) || CV_MAT_TYPE(train_data->type) != CV_32FC1 )
    CV_ERROR( CV_StsBadArg, "train data must be floating-point matrix" );

基本上train_data不符合第一个条件(作为有效矩阵)而不是不符合第二个条件(类型为 CV_32FC1)。

此外,即使 reshape 对*this对象起作用,它也像过滤器一样起作用,并且其效果不是永久的。如果它在单个语句中使用而没有立即被使用或分配给另一个变量,它将毫无用处。更改代码中的以下行:

img.reshape(1, 1);
trainingImages.push_back(img);

至:

trainingImages.push_back(img.reshape(1, 1));
于 2013-06-03T13:21:32.023 回答
0

正如错误所说,您需要将矩阵的类型从整数类型(可能是 CV_8U)更改为浮点数,即 CV_32F 或 CV_64F。要做到这一点,您可以使用cv::Mat::convertTo(). 这里有一点关于矩阵的深度和类型。

于 2013-06-02T12:46:00.873 回答