diff --git a/src/software/pipeline/main_LdrToHdrMerge.cpp b/src/software/pipeline/main_LdrToHdrMerge.cpp index 356ddd8249..b5ef9bac84 100644 --- a/src/software/pipeline/main_LdrToHdrMerge.cpp +++ b/src/software/pipeline/main_LdrToHdrMerge.cpp @@ -37,17 +37,17 @@ using namespace aliceVision; namespace po = boost::program_options; namespace fs = boost::filesystem; -std::string getHdrImagePath(const std::string& outputPath, std::size_t g, const std::string& rootname = "") +std::string getHdrImagePath(const std::string& outputPath, std::size_t g, const std::string& rootname = "", bool macbeth = false) { // Output image file path std::stringstream sstream; if (rootname == "") { - sstream << "hdr_" << std::setfill('0') << std::setw(4) << g << ".exr"; + sstream << "hdr_" << std::setfill('0') << std::setw(4) << g << (macbeth ? "_macbeth" : "") << ".exr"; } else { - sstream << rootname << ".exr"; + sstream << rootname << (macbeth ? "_macbeth" : "") << ".exr"; } const std::string hdrImagePath = (fs::path(outputPath) / sstream.str()).string(); return hdrImagePath; @@ -354,7 +354,7 @@ int aliceVision_main(int argc, char** argv) std::shared_ptr hdrView; const auto & group = groups[g]; - + if (group.size() == 1) { hdrView = std::make_shared(*group.at(0)); @@ -370,8 +370,18 @@ int aliceVision_main(int argc, char** argv) } if (!byPass) { - boost::filesystem::path p(targetViews[g]->getImage().getImagePath()); - const std::string hdrImagePath = getHdrImagePath(outputPath, pos, keepSourceImageName ? p.stem().string() : ""); + bool macbeth = false; + for(int k = 0; k < group.size(); k++) + { + const std::string fname = group[k]->getImage().getImagePath(); + boost::filesystem::path p(fname); + macbeth = macbeth || (p.stem().string().find("_macbeth") != std::string::npos); + } + const std::string tgt_name = targetViews[g]->getImage().getImagePath(); + macbeth = macbeth && ((tgt_name.find("_macbeth") == std::string::npos) || !keepSourceImageName); + + boost::filesystem::path p(tgt_name); + const std::string hdrImagePath = getHdrImagePath(outputPath, pos, keepSourceImageName ? p.stem().string() : "", macbeth); hdrView->getImage().setImagePath(hdrImagePath); } hdrView->getImage().addMetadata("AliceVision:ColorSpace", image::EImageColorSpace_enumToString(mergedColorSpace)); @@ -427,11 +437,14 @@ int aliceVision_main(int argc, char** argv) std::shared_ptr targetView = targetViews[g]; std::vector exposuresSetting(group.size()); + bool macbeth = false; // Load all images of the group for(std::size_t i = 0; i < group.size(); ++i) { const std::string filepath = group[i]->getImage().getImagePath(); ALICEVISION_LOG_INFO("Load " << filepath); + boost::filesystem::path p(filepath); + macbeth = macbeth || (p.stem().string().find("_macbeth") != std::string::npos); image::ImageReadOptions options; options.workingColorSpace = workingColorSpace; @@ -493,7 +506,8 @@ int aliceVision_main(int argc, char** argv) } boost::filesystem::path p(targetView->getImage().getImagePath()); - const std::string hdrImagePath = getHdrImagePath(outputPath, pos, keepSourceImageName ? p.stem().string() : ""); + macbeth = macbeth && ((p.stem().string().find("_macbeth") == std::string::npos) || !keepSourceImageName); + const std::string hdrImagePath = getHdrImagePath(outputPath, pos, keepSourceImageName ? p.stem().string() : "", macbeth); // Write an image with parameters from the target view std::map viewMetadata = targetView->getImage().getMetadata(); diff --git a/src/software/utils/main_colorCheckerCorrection.cpp b/src/software/utils/main_colorCheckerCorrection.cpp index 885a91164f..da9faddc83 100644 --- a/src/software/utils/main_colorCheckerCorrection.cpp +++ b/src/software/utils/main_colorCheckerCorrection.cpp @@ -32,7 +32,7 @@ // These constants define the current software version. // They must be updated when the command line is changed. -#define ALICEVISION_SOFTWARE_VERSION_MAJOR 1 +#define ALICEVISION_SOFTWARE_VERSION_MAJOR 2 #define ALICEVISION_SOFTWARE_VERSION_MINOR 0 using namespace aliceVision; @@ -41,6 +41,82 @@ namespace fs = boost::filesystem; namespace bpt = boost::property_tree; namespace po = boost::program_options; +double srgbToLin(double c) +{ + return c <= 0.04045 ? c / 12.92 : powf((c + 0.055) / 1.055, 2.4); +} +cv::Vec3d srgbToLin(cv::Vec3d pix) +{ + cv::Vec3d pixOut(srgbToLin(pix[0]), srgbToLin(pix[1]), srgbToLin(pix[2])); + return pixOut; +} +double linToSrgb(double c) +{ + return c < 0.0031308 ? 12.92 * c : 1.055 * powf(c, 1.f / 2.4f) - 0.055; +} +cv::Vec3d linToSrgb(cv::Vec3d pix) +{ + cv::Vec3d pixOut(linToSrgb(pix[0]), linToSrgb(pix[1]), linToSrgb(pix[2])); + return pixOut; +} + +double linToLum(cv::Vec3d pix) +{ + return 0.2126 * pix[0] + 0.7152 * pix[1] + 0.0722 * pix[2]; +} + +enum class ECorrectionMethod +{ + luminance, + whiteBalance, + full, + bypass +}; + +inline std::string ECorrectionMethod_enumToString(ECorrectionMethod correctionMethod) +{ + switch(correctionMethod) + { + case ECorrectionMethod::luminance: + return "luminance"; + case ECorrectionMethod::whiteBalance: + return "whitebalance"; + case ECorrectionMethod::full: + return "full"; + case ECorrectionMethod::bypass: + return "bypass"; + } + throw std::invalid_argument("Invalid ECorrectionMethod Enum"); +} + +inline ECorrectionMethod ECorrectionMethod_stringToEnum(std::string correctionMethod) +{ + boost::to_lower(correctionMethod); + if(correctionMethod == "luminance") + return ECorrectionMethod::luminance; + if(correctionMethod == "whitebalance") + return ECorrectionMethod::whiteBalance; + if(correctionMethod == "full") + return ECorrectionMethod::full; + if(correctionMethod == "bypass") + return ECorrectionMethod::bypass; + + throw std::invalid_argument("Unrecognized correction method '" + correctionMethod + "'"); +} + +inline std::ostream& operator<<(std::ostream& os, ECorrectionMethod method) +{ + return os << ECorrectionMethod_enumToString(method); +} + +inline std::istream& operator>>(std::istream& in, ECorrectionMethod& method) +{ + std::string token; + in >> token; + method = ECorrectionMethod_stringToEnum(token); + return in; +} + struct CChecker { std::string _bodySerialNumber; @@ -48,6 +124,7 @@ struct CChecker std::string _imagePath; std::string _viewId; cv::Mat _colorData; + double _weight; // In the range [0,1]. 1.0 corresponds to a Macbeth frontal view occupying the full image. explicit CChecker(const bpt::ptree::value_type& ccheckerPTree) { @@ -63,34 +140,104 @@ struct CChecker cv::Vec3d* rowPtr = _colorData.ptr(i); cv::Vec3d& matPixel = rowPtr[0]; - matPixel[0] = row.second.get_child("r").get_value(); - matPixel[1] = row.second.get_child("g").get_value(); - matPixel[2] = row.second.get_child("b").get_value(); + matPixel[0] = row.second.get_child("r").get_value(0.f); + matPixel[1] = row.second.get_child("g").get_value(0.f); + matPixel[2] = row.second.get_child("b").get_value(0.f); + + matPixel = srgbToLin(matPixel); + + matPixel = srgbToLin(matPixel); + + ++i; + } + + i = 0; + std::vector corners_img(4); + for(const bpt::ptree::value_type& row : ccheckerPTree.second.get_child("positions")) + { + corners_img[i][0] = row.second.get_child("x").get_value(); + corners_img[i][1] = row.second.get_child("y").get_value(); ++i; } + + const double area = (fabs((corners_img[0][0] - corners_img[2][0]) * (corners_img[1][1] - corners_img[3][1])) + + fabs((corners_img[1][0] - corners_img[3][0]) * (corners_img[0][1] - corners_img[2][1]))) * 0.5; + + double dot = 0.0; + for (int i = 0; i < 4; i++) + { + const double x1 = corners_img[(i + 1) % 4][0] - corners_img[i][0]; + const double y1 = corners_img[(i + 1) % 4][1] - corners_img[i][1]; + const double x2 = corners_img[(i + 2) % 4][0] - corners_img[(i + 1) % 4][0]; + const double y2 = corners_img[(i + 2) % 4][1] - corners_img[(i + 1) % 4][1]; + const double norm1 = sqrt(x1 * x1 + y1 * y1); + const double norm2 = sqrt(x2 * x2 + y2 * y2); + + dot += fabs(x1 * x2 + y1 * y2) / norm1 / norm2; + } + dot /= 4.0; // Average of the abs value of dot products between consecutive edges, null for a frontal view. + + std::unique_ptr in(oiio::ImageInput::open(_imagePath)); + _weight = area * (1.0 - dot) / in->spec().width / in->spec().height; } }; -void processColorCorrection(image::Image& image, cv::Mat& refColors) +void processColorCorrection(image::Image& image, cv::Mat& refColors, ECorrectionMethod method = ECorrectionMethod::full) { cv::Mat imageBGR = image::imageRGBAToCvMatBGR(image, CV_32FC3); cv::ccm::ColorCorrectionModel model(refColors, cv::ccm::COLORCHECKER_Macbeth); - model.run(); - model.setColorSpace(cv::ccm::COLOR_SPACE_sRGB); + //model.setColorSpace(cv::ccm::COLOR_SPACE_sRGB); //model.setCCM_TYPE(cv::ccm::CCM_3x3); //model.setDistance(cv::ccm::DISTANCE_CIE2000); - //model.setLinear(cv::ccm::LINEARIZATION_GAMMA); + model.setLinear(cv::ccm::LINEARIZATION_IDENTITY); // input and ref colors are linear //model.setLinearGamma(2.2); //model.setLinearDegree(3); // to prevent overfitting - + cv::Mat img; cvtColor(imageBGR, img, cv::COLOR_BGR2RGB); img.convertTo(img, CV_64F); - cv::Mat calibratedImage = model.infer(img, true); // make correction using cc matrix and assuming images are in linear color space (as RAW for example) + cv::Mat calibratedImage = img; + + if(method == ECorrectionMethod::luminance) + { + const double lum = linToLum(refColors.at(21, 0)); + const double lumTarget = srgbToLin(122.0 / 255.0); // 0.1946 + const double gain = lumTarget / lum; + + for(int r = 0; r < img.rows; r++) + { + for(int c = 0; c < img.cols; c++) + { + calibratedImage.at(r, c) = gain * img.at(r, c); + } + } + } + else if (method == ECorrectionMethod::whiteBalance) + { + const double target = srgbToLin(122.0 / 255.0); // 0.1946 + const double gainR = target / refColors.at(21, 0)[0]; + const double gainG = target / refColors.at(21, 0)[1]; + const double gainB = target / refColors.at(21, 0)[2]; + + for(int r = 0; r < img.rows; r++) + { + for(int c = 0; c < img.cols; c++) + { + calibratedImage.at(r, c)[0] = gainR * img.at(r, c)[0]; + calibratedImage.at(r, c)[1] = gainG * img.at(r, c)[1]; + calibratedImage.at(r, c)[2] = gainB * img.at(r, c)[2]; + } + } + } + else + { + model.run(); + calibratedImage = model.infer(img, true); // make correction and return a linear image + } calibratedImage.convertTo(calibratedImage, CV_32FC3); @@ -118,6 +265,7 @@ void saveImage(image::Image& image, const std::string& inputP image::ImageWriteOptions options; + options.fromColorSpace(image::EImageColorSpace::LINEAR); if(isEXR) { // Select storage data type @@ -139,6 +287,9 @@ int aliceVision_main(int argc, char** argv) std::string extension; image::EStorageDataType storageDataType = image::EStorageDataType::Float; std::string outputPath; + ECorrectionMethod correctionMethod = ECorrectionMethod::luminance; + bool useBestColorCheckerOnly = true; + bool keepImageName = true; po::options_description requiredParams("Required parameters"); requiredParams.add_options() @@ -152,10 +303,18 @@ int aliceVision_main(int argc, char** argv) ; po::options_description optionalParams("Optional parameters"); - optionalParams.add_options()("storageDataType", po::value(&storageDataType)->default_value(storageDataType), - ("Storage data type: " + image::EStorageDataType_informations()).c_str())( + optionalParams.add_options()("storageDataType", + po::value(&storageDataType)->default_value(storageDataType), + ("Storage data type: " + image::EStorageDataType_informations()).c_str())( "extension", po::value(&extension)->default_value(extension), - "Output image extension (like exr, or empty to keep the original source file format."); + "Output image extension (like exr, or empty to keep the original source file format.")( + "correctionMethod", po::value(&correctionMethod)->default_value(correctionMethod), + "Correction method to apply.")( + "useBestColorCheckerOnly", po::value(&useBestColorCheckerOnly)->default_value(useBestColorCheckerOnly), + "Use only the color chart with the best orientation and size to compute the color correction model.")( + "keepImageName", po::value(&keepImageName)->default_value(keepImageName), + "Keep image filename if different from view Id.") + ; CmdLine cmdline("This program is used to perform color correction based on a color checker.\n" "AliceVision colorCheckerCorrection"); @@ -174,7 +333,7 @@ int aliceVision_main(int argc, char** argv) return EXIT_FAILURE; } - if(fs::exists(inputData)) + if(fs::exists(inputData) && correctionMethod != ECorrectionMethod::bypass) { // checkers collection std::vector ccheckers; @@ -186,8 +345,37 @@ int aliceVision_main(int argc, char** argv) for(const bpt::ptree::value_type& ccheckerPTree : data.get_child("checkers")) ccheckers.push_back(CChecker(ccheckerPTree)); - // for now the program behaves as if all the images to process are sharing the same properties - cv::Mat colorData = ccheckers[0]._colorData; + std::vector ccheckerWeights; + double weightMax = 0.0; + int idxWeightMax = 0; + for (int i = 0; i < ccheckers.size(); i++) + { + ccheckerWeights.push_back(ccheckers[i]._weight); + if(ccheckers[i]._weight > weightMax) + { + weightMax = ccheckers[i]._weight; + idxWeightMax = i; + } + } + + cv::Mat colorData; + + if (useBestColorCheckerOnly) + { + colorData = ccheckers[idxWeightMax]._colorData; + ALICEVISION_LOG_INFO("Use color checker detected in image " << ccheckers[idxWeightMax]._imagePath); + } + else // Combine colors of all detected color checkers + { + colorData = ccheckerWeights[0] * ccheckers[0]._colorData; + double sumWeight = ccheckerWeights[0]; + for (int i = 1; i < ccheckers.size(); i++) + { + colorData += ccheckerWeights[i] * ccheckers[i]._colorData; + sumWeight += ccheckerWeights[i]; + } + colorData /= sumWeight; + } // Map used to store paths of the views that need to be processed std::unordered_map ViewPaths; @@ -199,7 +387,7 @@ int aliceVision_main(int argc, char** argv) inputExt) != sfmSupportedExtensions.end()) { sfmData::SfMData sfmData; - if(!sfmDataIO::Load(sfmData, inputExpression, sfmDataIO::VIEWS)) + if(!sfmDataIO::Load(sfmData, inputExpression, sfmDataIO::ALL)) { ALICEVISION_LOG_ERROR("The input SfMData file '" << inputExpression << "' cannot be read."); return EXIT_FAILURE; @@ -226,23 +414,24 @@ int aliceVision_main(int argc, char** argv) sfmData::View& view = sfmData.getView(viewId); const fs::path fsPath = viewPath; + const std::string filename = fs::path(view.getImage().getImagePath()).stem().string(); const std::string fileExt = fsPath.extension().string(); const std::string outputExt = extension.empty() ? fileExt : (std::string(".") + extension); const std::string outputfilePath = - (fs::path(outputPath) / (std::to_string(viewId) + outputExt)).generic_string(); + (fs::path(outputPath) / ((keepImageName ? filename : std::to_string(viewId)) + outputExt)).generic_string(); ALICEVISION_LOG_INFO(++i << "/" << size << " - Process view '" << viewId << "' for color correction."); // Read image options and load image image::ImageReadOptions options; - options.workingColorSpace = image::EImageColorSpace::NO_CONVERSION; + options.workingColorSpace = image::EImageColorSpace::LINEAR; options.rawColorInterpretation = image::ERawColorInterpretation_stringToEnum(view.getImage().getRawColorInterpretation()); image::Image image; image::readImage(viewPath, image, options); // Image color correction processing - processColorCorrection(image, colorData); + processColorCorrection(image, colorData, correctionMethod); // Save image saveImage(image, viewPath, outputfilePath, storageDataType); @@ -314,16 +503,40 @@ int aliceVision_main(int argc, char** argv) // Read original image image::Image image; - image::readImage(inputFilePath, image, image::EImageColorSpace::NO_CONVERSION); + image::readImage(inputFilePath, image, image::EImageColorSpace::LINEAR); // Image color correction processing - processColorCorrection(image, colorData); + processColorCorrection(image, colorData, correctionMethod); // Save image saveImage(image, inputFilePath, outputFilePath, storageDataType); } } } + else + { + // Copy sfmdata if it exists + // Check if sfmInputDataFilename exist and is recognized as sfm data file + const std::string inputExt = boost::to_lower_copy(fs::path(inputExpression).extension().string()); + static const std::array sfmSupportedExtensions = {".sfm", ".json", ".abc"}; + if(!inputExpression.empty() && std::find(sfmSupportedExtensions.begin(), sfmSupportedExtensions.end(), + inputExt) != sfmSupportedExtensions.end()) + { + sfmData::SfMData sfmData; + if(!sfmDataIO::Load(sfmData, inputExpression, sfmDataIO::ALL)) + { + ALICEVISION_LOG_ERROR("The input SfMData file '" << inputExpression << "' cannot be read."); + return EXIT_FAILURE; + } + const std::string sfmfilePath = (fs::path(outputPath) / fs::path(inputExpression).filename()).generic_string(); + if(!sfmDataIO::Save(sfmData, sfmfilePath, sfmDataIO::ESfMData(sfmDataIO::ALL))) + { + ALICEVISION_LOG_ERROR("The output SfMData file '" << sfmfilePath << "' cannot be written."); + + return EXIT_FAILURE; + } + } + } return EXIT_SUCCESS; } diff --git a/src/software/utils/main_colorCheckerDetection.cpp b/src/software/utils/main_colorCheckerDetection.cpp index da0aaf011f..abceb6edda 100644 --- a/src/software/utils/main_colorCheckerDetection.cpp +++ b/src/software/utils/main_colorCheckerDetection.cpp @@ -20,6 +20,7 @@ #include #include #include +#include #include #include @@ -33,7 +34,7 @@ // These constants define the current software version. // They must be updated when the command line is changed. -#define ALICEVISION_SOFTWARE_VERSION_MAJOR 1 +#define ALICEVISION_SOFTWARE_VERSION_MAJOR 2 #define ALICEVISION_SOFTWARE_VERSION_MINOR 0 using namespace aliceVision; @@ -42,6 +43,67 @@ namespace fs = boost::filesystem; namespace bpt = boost::property_tree; namespace po = boost::program_options; +enum class ECCType +{ + MCC24, + SG140, + VINYL18 +}; + +inline std::string ECCType_enumToString(ECCType ccType) +{ + switch(ccType) + { + case ECCType::MCC24: + return "mcc24"; + case ECCType::SG140: + return "sg140"; + case ECCType::VINYL18: + return "vinyl18"; + } + throw std::invalid_argument("Invalid openCV color checker type enum"); +} + +inline ECCType ECCType_stringToEnum(std::string ccType) +{ + boost::to_lower(ccType); + if(ccType == "mcc24") + return ECCType::MCC24; + if(ccType == "sg140") + return ECCType::SG140; + if(ccType == "vinyl18") + return ECCType::VINYL18; + + throw std::invalid_argument("Unrecognized color checker type '" + ccType + "'"); +} + +inline std::ostream& operator<<(std::ostream& os, ECCType e) +{ + return os << ECCType_enumToString(e); +} + +inline std::istream& operator>>(std::istream& in, ECCType& e) +{ + std::string token; + in >> token; + e = ECCType_stringToEnum(token); + return in; +} + +inline cv::mcc::TYPECHART ECCType_to_OpenCVECCType(ECCType ccType) +{ + switch(ccType) + { + case ECCType::MCC24: + return cv::mcc::TYPECHART::MCC24; + case ECCType::SG140: + return cv::mcc::TYPECHART::SG140; + case ECCType::VINYL18: + return cv::mcc::TYPECHART::VINYL18; + } + throw std::invalid_argument("Invalid openCV color checker type enum"); +} + // Match values used in OpenCV MCC // See https://github.com/opencv/opencv_contrib/blob/342f8924cca88fe6ce979024b7776f6815c89978/modules/mcc/src/dictionary.hpp#L72 const std::vector< cv::Point2f > MACBETH_CCHART_CORNERS_POS = { @@ -268,16 +330,21 @@ struct MacbethCCheckerQuad : Quad { _colorData = cv::Mat::zeros(24, 1, CV_64FC3); cv::Mat pixelsCount = cv::Mat::zeros(24, 1, CV_32S); - for(int y = 0; y < (int) _bbox.sizeY(); ++y) + for(int y = 0; y < static_cast(_bbox.sizeY()); ++y) { - for(int x = 0; x < (int) _bbox.sizeX(); ++x) + for(int x = 0; x < static_cast(_bbox.sizeX()); ++x) { - for(int i = 0; i < _cellMasks.size(); ++i) + for(int i = 0; i < static_cast(_cellMasks.size()); ++i) { + const int coordX = x + _bbox.min.x; + const int coordY = y + _bbox.min.y; + // Check current pixel for the current image mask - if(_cellMasks[i].at(y,x) == 255) + if(_cellMasks[i].at(y,x) == 255 && + coordX >= 0 && coordX < img.Width() && + coordY >= 0 && coordY < img.Height()) { - const image::RGBAfColor& px = img(y + _bbox.min.y, x + _bbox.min.x); + const image::RGBAfColor& px = img(coordY, coordX); _colorData.at< cv::Vec3d >(i,0) += cv::Vec3d(px.r(), px.g(), px.b()); ++pixelsCount.at(i); } @@ -341,7 +408,8 @@ struct MacbethCCheckerQuad : Quad { void detectColorChecker( std::vector &detectedCCheckers, ImageOptions& imgOpt, - CCheckerDetectionSettings &settings) + CCheckerDetectionSettings &settings, + cv::Ptr cnnDetector = nullptr) { const std::string outputFolder = fs::path(settings.outputData).parent_path().string() + "/"; const std::string imgSrcPath = imgOpt.imgFsPath.string(); @@ -359,9 +427,18 @@ void detectColorChecker( exit(EXIT_FAILURE); } - cv::Ptr detector = cv::mcc::CCheckerDetector::create(); + cv::Ptr detector; - if(!detector->process(imgBGR, settings.typechart, settings.maxCountByImage)) + if (cnnDetector != nullptr) + { + detector = cnnDetector; + } + else + { + detector = cv::mcc::CCheckerDetector::create(); + } + + if(!detector->process(imgBGR, settings.typechart, settings.maxCountByImage, cnnDetector != nullptr)) { ALICEVISION_LOG_INFO("Checker not detected in image at: '" << imgSrcPath << "'"); return; @@ -406,6 +483,10 @@ int aliceVision_main(int argc, char** argv) // user optional parameters bool debug = false; unsigned int maxCountByImage = 1; + bool processAllImages = true; + std::string filter = "*_macbeth.*"; + std::string modelFolder = ""; + ECCType ccType = ECCType::MCC24; po::options_description inputParams("Required parameters"); inputParams.add_options() @@ -416,10 +497,17 @@ int aliceVision_main(int argc, char** argv) po::options_description optionalParams("Optional parameters"); optionalParams.add_options() - ("debug", po::value(&debug), - "Output debug data.") + ("debug", po::value(&debug), "Output debug data.") + ("processAllImages", po::value(&processAllImages)->default_value(processAllImages), + "If True, process all available images.") + ("filter", po::value(&filter)->default_value(filter), + "Regular expression to select images to be processed.") + ("modelFolder", po::value(&modelFolder)->default_value(modelFolder), + "Path to folder containing a cnn model.") ("maxCount", po::value(&maxCountByImage), - "Maximum color charts count to detect in a single image."); + "Maximum color charts count to detect in a single image.") + ("ccType", po::value(&ccType)->default_value(ccType), + "Color chart type: mcc24 (Classical macbeth 24 patches), sg140 (Digital SG 140 patches), vinyl18 (DKK colorchart 12 patches + 6 rectangles)."); CmdLine cmdline("This program is used to perform Macbeth color checker chart detection.\n" "AliceVision colorCheckerDetection"); @@ -431,13 +519,37 @@ int aliceVision_main(int argc, char** argv) } CCheckerDetectionSettings settings; - settings.typechart = cv::mcc::TYPECHART::MCC24; + settings.typechart = ECCType_to_OpenCVECCType(ccType); settings.maxCountByImage = maxCountByImage; settings.outputData = outputData; settings.debug = debug; std::vector< MacbethCCheckerQuad > detectedCCheckers; + cv::Ptr detectorCNN = nullptr; + + const std::string modelPath = modelFolder + "/frozen_inference_graph.pb"; + const std::string pbtxtPath = modelFolder + "/graph.pbtxt"; + + if(fs::exists(fs::path(modelPath)) && fs::exists(fs::path(pbtxtPath))) + { + cv::dnn::Net net = cv::dnn::readNetFromTensorflow(modelPath, pbtxtPath); + + net.setPreferableBackend(cv::dnn::DNN_BACKEND_CUDA); + net.setPreferableTarget(cv::dnn::DNN_TARGET_CUDA); + + detectorCNN = cv::mcc::CCheckerDetector::create(); + if(!detectorCNN->setNet(net)) + { + ALICEVISION_LOG_INFO("Loading Model failed: Aborting"); + detectorCNN = nullptr; + } + else + { + ALICEVISION_LOG_INFO("Loading Model OK"); + } + } + // Check if inputExpression is recognized as sfm data file const std::string inputExt = boost::to_lower_copy(fs::path(inputExpression).extension().string()); static const std::array sfmSupportedExtensions = {".sfm", ".abc"}; @@ -458,17 +570,20 @@ int aliceVision_main(int argc, char** argv) { const sfmData::View& view = *(viewIt.second); - ALICEVISION_LOG_INFO(++counter << "/" << sfmData.getViews().size() << " - Process image at: '" << view.getImage().getImagePath() << "'."); - ImageOptions imgOpt = { - view.getImage().getImagePath(), - std::to_string(view.getViewId()), - view.getImage().getMetadataBodySerialNumber(), - view.getImage().getMetadataLensSerialNumber() }; - imgOpt.readOptions.workingColorSpace = image::EImageColorSpace::SRGB; - imgOpt.readOptions.rawColorInterpretation = image::ERawColorInterpretation_stringToEnum(view.getImage().getRawColorInterpretation()); - detectColorChecker(detectedCCheckers, imgOpt, settings); + boost::filesystem::path p(view.getImage().getImagePath()); + const std::regex regex = utils::filterToRegex(filter); + if(processAllImages || std::regex_match(p.generic_string(), regex)) + { + ALICEVISION_LOG_INFO(++counter << "/" << sfmData.getViews().size() << " - Process image at: '" + << view.getImage().getImagePath() << "'."); + ImageOptions imgOpt = {view.getImage().getImagePath(), std::to_string(view.getViewId()), + view.getImage().getMetadataBodySerialNumber(), view.getImage().getMetadataLensSerialNumber()}; + imgOpt.readOptions.workingColorSpace = image::EImageColorSpace::SRGB; + imgOpt.readOptions.rawColorInterpretation = + image::ERawColorInterpretation_stringToEnum(view.getImage().getRawColorInterpretation()); + detectColorChecker(detectedCCheckers, imgOpt, settings, detectorCNN); + } } - } else { @@ -482,13 +597,14 @@ int aliceVision_main(int argc, char** argv) } else { - ALICEVISION_LOG_INFO("Working directory Path '" + inputPath.parent_path().generic_string() + "'."); + ALICEVISION_LOG_INFO("Working directory Path '" + inputPath.generic_string() + "'."); - const std::regex regex = utils::filterToRegex(inputExpression); + const std::regex regex = utils::filterToRegex(processAllImages ? "" : filter); // Get supported files in inputPath directory which matches our regex filter - filesStrPaths = utils::getFilesPathsFromFolder(inputPath.parent_path().generic_string(), + filesStrPaths = utils::getFilesPathsFromFolder(inputPath.generic_string(), [®ex](const boost::filesystem::path& path) { - return image::isSupported(path.extension().string()) && std::regex_match(path.generic_string(), regex); + ALICEVISION_LOG_INFO(path); + return image::isSupported(path.extension().string());//&&std::regex_match(path.generic_string(), regex); } ); } @@ -509,11 +625,16 @@ int aliceVision_main(int argc, char** argv) int counter = 0; for(const std::string& imgSrcPath : filesStrPaths) { - ALICEVISION_LOG_INFO(++counter << "/" << size << " - Process image at: '" << imgSrcPath << "'."); - ImageOptions imgOpt; - imgOpt.imgFsPath = imgSrcPath; - imgOpt.readOptions.workingColorSpace = image::EImageColorSpace::SRGB; - detectColorChecker(detectedCCheckers, imgOpt, settings); + boost::filesystem::path p(imgSrcPath); + const std::regex regex = utils::filterToRegex(filter); + if(processAllImages || std::regex_match(p.generic_string(), regex)) + { + ALICEVISION_LOG_INFO(++counter << "/" << size << " - Process image at: '" << imgSrcPath << "'."); + ImageOptions imgOpt; + imgOpt.imgFsPath = imgSrcPath; + imgOpt.readOptions.workingColorSpace = image::EImageColorSpace::SRGB; + detectColorChecker(detectedCCheckers, imgOpt, settings, detectorCNN); + } } }