我需要将图像文件夹作为输入传递给Magick ++ api。可以在命令行中使用mogrify来完成,如帖子“ImageMagick script to resize folder of images”中所示。读取单个图像可以通过api调用来完成
图像(inputimage)
但是我们怎么能对图像文件夹做同样的事情呢?任何人都可以帮助我进行相应的api通话吗?
答案 0 :(得分:1)
该功能未包含在Magick ++ API中。您需要自己迭代目录,然后使用Magick ++ API读取和写入图像。您可以在以下Stack Overflow帖子中找到有关如何在C / C ++中迭代文件夹的示例:How can I get the list of files in a directory using C or C++?。
答案 1 :(得分:1)
我相信你会负责阅读目录。 C库dirent.h
是我第一个想到的,但我确信有更好的C ++ /系统/框架技术。
#include <iostream>
#include <vector>
#include <dirent.h>
#include <Magick++.h>
int main(int argc, const char * argv[]) {
std::vector<Magick::Image> stack; // Hold images found
DIR * dir_handler = opendir("/tmp/images"); // Open dir
struct dirent * dir_entry;
if (dir_handler != NULL)
{
// Iterate over entries in directory
while ( (dir_entry = readdir(dir_handler)) != NULL ) {
// Only act on regular files
if (dir_entry->d_type == DT_REG) {
// Concatenate path (could be better)
std::string filename("/tmp/images/");
filename += dir_entry->d_name;
// Read image at path
stack.push_back(Magick::Image(filename));
}
}
closedir(dir_handler); // House keeping
} else {
// Handle DIR error
}
// Append all images into single montage
Magick::Image output;
Magick::appendImages(&output, stack.begin(), stack.end());
output.write("/tmp/all.png");
return 0;
}
MagickCore库中还有ExpandFilenames(int *,char ***)
。
// Patterns to scan
int pattern_count = 1;
// First pattern
char pattern[PATH_MAX] = "/tmp/images/*.png";
// Allocate memory for list of patterns
char ** dir_pattern = (char **)MagickCore::AcquireMagickMemory(sizeof(char *));
// Assign first pattern
dir_pattern[0] = pattern;
// Expand patterns
Magick::MagickBooleanType ok;
ok = MagickCore::ExpandFilenames(&pattern_count, &dir_pattern);
if (ok == Magick::MagickTrue) {
std::vector<Magick::Image> stack;
// `pattern_count' now holds results count
for ( int i = 0; i < pattern_count; ++i) {
// `dir_pattern' has been re-allocated with found results
std::string filename(dir_pattern[i]);
stack.push_back(Magick::Image(filename));
}
Magick::Image output;
Magick::appendImages(&output, stack.begin(), stack.end());
output.write("/tmp/all.png");
} else {
// Error handle
}