我想用C ++编写一个程序,将所有文件复制到一个文件夹中,然后将它们粘贴到另一个文件夹中。现在,我只管理一个文件。
#include <iostream>
#include <windows.h>
using namespace std;
int main (int argc, char *argv[])
{
CopyFile ("C:\\Program Files (x86)\\WinRAR\\Rar.txt","C:\\Users\\mypc\\Desktop\\don't touch\\project\\prova", TRUE);
答案 0 :(得分:0)
正如评论之一所示,CopyFile一次只能复制一个文件。一种选择是遍历目录并复制文件。使用文件系统(可以读到here),使我们可以递归地打开目录,不断复制目录文件和目录目录,直到复制完所有内容为止。另外,我也没有检查用户输入的参数,所以不要忘记它对您是否重要。
# include <string>
# include <filesystem>
using namespace std;
namespace fs = std::experimental::filesystem;
//namespace fs = std::filesystem; // my version of vs does not support this so used experimental
void rmvPath(string &, string &);
int main(int argc, char **argv)
{
/* verify input here*/
string startingDir = argv[1]; // argv[1] is from dir
string endDir = argv[2]; // argv[2] is to dir
// create dir if doesn't exist
fs::path dir = endDir;
fs::create_directory(dir);
// loop through directory
for (auto& p : fs::recursive_directory_iterator(startingDir))
{
// convert path to string
fs::path path = p.path();
string pathString = path.string();
// remove starting dir from path
rmvPath(startingDir, pathString);
// copy file
fs::path newPath = endDir + pathString;
fs::path oldPath = startingDir + pathString;
try {
// create file
fs::copy_file(oldPath, newPath, fs::copy_options::overwrite_existing);
}
catch (fs::filesystem_error& e) {
// create dir
fs::create_directory(newPath);
}
}
return 0;
}
void rmvPath(string &startingPath, string &fullPath)
{
// look for starting path in the fullpath
int index = fullPath.find(startingPath);
if (index != string::npos)
{
fullPath = fullPath.erase(0, startingPath.length());
}
}