将返回值包装为布尔类型

时间:2019-12-09 11:37:31

标签: c++ function image-processing return-value return-type

我正在尝试编写具有多个返回值的函数。如果路径中没有图像,我需要处理这种情况。我该怎么办?

我尝试使用地图。但是,对于键,值对,这是我认为的(C ++的新功能)。

下面是我的代码:

tuple<Mat, Mat> imageProcessing(boost::filesystem::path pickPath){
    Mat img1, img2;
    // Check if file exists, if not return NULL
    if (!boost::filesystem::is_regular_file(pickPath)) {
        return make_tuple(NULL, NULL); 
    }

        imageFile = imread(pickPath.string());

        // Preprocess code (return 2 mat files)

        return make_tuple(img_1, img_2);
   }



int main(){
    path = "img.jpeg"
    tie(img1, img2) = imageProcessing(path);
}

2 个答案:

答案 0 :(得分:1)

如果您想要连续的对象集合,请使用std::vector;如果您的函数保证只返回唯一的结果,请使用std::set

您的方法还应该正常处理错误。通常,在C ++中有两种方法可以解决此问题:

  1. 例外。当您的函数遇到来自第三方库的不良数据/错误代码或任何其他意外情况时,您可能会引发异常,并且函数调用者需要编写代码来处理它。您的方法可能看起来像这样:
std::vector<Mat> ProcessImages(const boost:filesystem::path filePath)
{
   if (!boost::filesystem::is_regular_file(pickPath)) {
       throw std::invalid_argument("file does not exist"!); //probably there's a better exception you could throw or you can define your own.
   }
...

呼叫者将如下所示:

  try{
        auto images = ProcessImage(myFilePath)
  }
  catch(const std::invalid_argument& e ) { 
     // write something to console, log the exception, terminate your process... choose your poison.
  }
  1. 返回错误代码。有几种方法可以执行此操作-返回一个元组,其中第一项为错误代码,第二项为向量,或者通过引用传递该向量并仅返回错误代码:
// if successful the function will return 0.
enum ErrorCode
{
  Successful = 0,
  InvalidArgs = 1,
  ...
}

ErrorCode ProcessImages(const boost:filesystem::path filePath, std::vector<Mat>& outImages)
{
   if (!boost::filesystem::is_regular_file(pickPath)) {
   {
    return InvalidArgs;
   }

   imageFile = imread(pickPath.string());

   outImages.insert(img1);
   outImages.insert(img2);

   return Successful;
}

int main(){
    path = "img.jpeg"
    std::vector<Mat> images;
    auto result = ProcessImages(path, images);
    if (result != Successfull)
    {
      //error
    }
}

答案 1 :(得分:0)

我认为您可以使用vector<Mat>并将所有图像推送到该矢量并将其返回。然后,您可以在调用函数后检查此向量的长度。如果为零,则表示您没有推送任何内容(如果在路径中没有找到文件)。否则,请根据需要从向量中提取所有图像。