在Windows上有复制文件夹的界面吗?

问题描述 投票:5回答:7

我想复制文件夹A并粘贴到桌面。

我目前正在使用C ++,因此最好是OO接口(如果可用)。

c++ c windows
7个回答
14
投票

在Windows(Win32)上,您可以使用SHFileOperation,例如:

SHFILEOPSTRUCT s = { 0 };
s.hwnd = m_hWnd;
s.wFunc = FO_COPY;
s.fFlags = FOF_SILENT;
s.pTo = "C:\\target folder\0";
s.pFrom = "C:\\source folder\\*\0";
SHFileOperation(&s);

7
投票

用这个

bool CopyDirTo( const wstring& source_folder, const wstring& target_folder )
{
    wstring new_sf = source_folder + L"\\*";
    WCHAR sf[MAX_PATH+1];
    WCHAR tf[MAX_PATH+1];

    wcscpy_s(sf, MAX_PATH, new_sf.c_str());
    wcscpy_s(tf, MAX_PATH, target_folder.c_str());

    sf[lstrlenW(sf)+1] = 0;
    tf[lstrlenW(tf)+1] = 0;

    SHFILEOPSTRUCTW s = { 0 };
    s.wFunc = FO_COPY;
    s.pTo = tf;
    s.pFrom = sf;
    s.fFlags = FOF_SILENT | FOF_NOCONFIRMMKDIR | FOF_NOCONFIRMATION | FOF_NOERRORUI | FOF_NO_UI;
    int res = SHFileOperationW( &s );

    return res == 0;
}

3
投票

(假设是Windows)

使用可以使用ShFileOperation(或Vista上的IFileOperation :: CopyItem)。最大。


3
投票

对于平台无关的解决方案,我建议使用Boost::filesystem。该链接基本上是参考资料。有一个copy_file方法将文件从一个位置复制到另一个位置。

在Windows上,桌面是一个特殊文件夹:

// String buffer for holding the path.
TCHAR strPath[ MAX_PATH ];

// Get the special folder path.
SHGetSpecialFolderPath(
    0,       // Hwnd
    strPath, // String buffer.
    CSIDL_DESKTOPDIRECTORY, // CSLID of folder
    FALSE ); // Create if doesn't exists?

2
投票

从Visual Studio 2015开始,您可以使用甚至独立于平台的std::filesystem::copy,因为它在支持> = C ++ 17的实现中可用。

#include <exception>
#include <experimental/filesystem> // C++-standard filesystem header file in VS15, VS17.
#include <iostream>
namespace fs = std::experimental::filesystem; // experimental for VS15, VS17.

/*! Copies all contents of path/to/source/directory to path/to/target/directory.
*/
int main()
{
    fs::path source = "path/to/source/directory";
    fs::path targetParent = "path/to/target";
    auto target = targetParent / source.filename(); // source.filename() returns "directory".

    try // If you want to avoid exception handling then use the error code overload of the following functions.
    {
        fs::create_directories(target); // Recursively create target directory if not existing.
        fs::copy(source, target, fs::copy_options::recursive);
    }
    catch (std::exception& e) // Not using fs::filesystem_error since std::bad_alloc can throw too.
    {
        std::cout << e.what();
    }
}

fs::copy改变std::filesystem::copy_options的行为。我已经使用std::filesystem::path::filename来检索源目录名称而无需手动输入。


-1
投票

有用

#include <iostream>

int main()
{
    system("xcopy C:\\Users\\Elmi\\Desktop\\AAAAAA\ C:\\Users\\Elmi\\Desktop\\b\ /e /i /h");
    return 0;
}

-2
投票

以下是使用SHFileOperation的示例:

http://msdn.microsoft.com/en-us/library/bb776887%28VS.85%29.aspx#example

这是一个没有它的快速黑客:

#import <stdlib.h>

int main(int argc, char *argv[]) {

    system("robocopy \"C:\\my\\folder\" \"%userprofile%\\desktop\\\" /MIR");
    return 0;
}
© www.soinside.com 2019 - 2024. All rights reserved.