Я объясню, что я пытаюсь сделать.

Из проекта с тысячами файлов мы хотим удалить многие из них, соответствующие шаблону, но мы хотим сохранить резервную копию. Мы ищем метод для выполнения операции перемещения, который сохранит относительную структуру папок в месте назначения.

Я имею в виду, если у нас есть:

D:\matchingfile1.txt
D:\matchingfile2.txt
D:\nonmatchingfile1.txt
D:\nonmatchingfile2.txt
D:\foofolder\matchingfile1.txt
D:\foofolder\matchingfile2.txt
D:\foofolder\nonmatchingfile1.txt
D:\foofolder\nonmatchingfile2.txt
D:\barfolder\sub\matchingfile1.txt
D:\barfolder\sub\matchingfile2.txt
D:\barfolder\sub\nonmatchingfile1.txt
D:\barfolder\sub\nonmatchingfile2.txt

Мы хотим переместить его в D:\ _ BACKUP\ 20130527\ с таким результатом:

D:\_BACKUP\20130527\matchingfile1.txt
D:\_BACKUP\20130527\matchingfile2.txt
D:\_BACKUP\20130527\foofolder\matchingfile1.txt
D:\_BACKUP\20130527\foofolder\matchingfile2.txt
D:\_BACKUP\20130527\barfolder\sub\matchingfile1.txt
D:\_BACKUP\20130527\barfolder\sub\matchingfile2.txt

ПРИМЕЧАНИЕ 1. Файлы, которые нужно переместить, не называются "matchfile", это просто иллюстративный пример. В настоящее время мы извлекаем список всех полных путей к нашим целевым файлам (простой текст), поэтому это должен быть ввод метода / команды / программы.

ПРИМЕЧАНИЕ 2. Уровень каталога может быть любым.

Работа ведется под ОС Windows 7.

Большое спасибо заранее.

5 ответов5

2

Я посмотрел на это сейчас, когда я вернулся домой, и это работает для меня

setlocal EnableDelayedExpansion

IF [%1]==[] (set txtpath=%CD%\list.txt) else (set txtpath=%1)
set projectfolder="D:\"
set savelocation="D:\_Backup"

cd /d %projectfolder%
set lenght=%CD%
set i=-1
set n=0
:nextChar
    set /A i+=1
    set c=!lenght:~%i%,1!
    set /A n+=1
    if "!c!" == "" goto endLine 
    goto nextChar

:endLine
for /f "tokens=*" %%A in (!txtpath!) do call :filecheck "%%A"
goto :eof

:filecheck
set folder=%~pd1%
set location="!folder:~%n%!"
if not exist %savelocation%\%location% mkdir %savelocation%\%location%
copy %1 %savelocation%\%location% && del /q %1
goto :eof
endlocal

Переделал скрипт, чтобы отразить, что вы хотите файл * .txt в качестве входных данных для пути к файлу, это работает для меня, вам нужно установить "projectfolder", "savelocation", "txtpath", но после этого скрипт можно запустить из любого места, и делает то, что ты хочешь. (вы можете перетащить текстовый файл на него после настройки папки проекта / сохранения)

Он воссоздает структуру папок для всех файлов, содержащихся в файле .txt, в любом месте на диске (или на другом диске), копирует файлы и затем удаляет их из исходной папки.

1

Ну, это была бы простая команда xcopy, но у вас есть папка _backup на D: поэтому при обходе диска D: будет выбрана папка _backup

Вы можете _backup чтобы вы могли

xcopy d:\matchingile?.txt d:\_backup\matchingfile?.txt /s

1

Лично я только начал изучать некоторые сценарии PowerShell, которые отлично подходят для такой работы. Просто сохраните код в файле .ps1 и убедитесь, что вы включаете запуск сценариев powershell (Set-ExecutionPolicy RemoteSigned). Таким образом, у вас есть более мощный инструмент фильтрации, использующий регулярные выражения вместо просто подстановочных знаков. Конечно, сценарий также может быть изменен, чтобы принимать список файлов из текстового файла.

# Variables
$backupFolder="D:\_BACKUP\20130527";
$folderTobeBackedUp="D:\";
$overwrite=$True;
$filter="filenameToBeMatched";

function recurseDir($dir)
{
    $dirs=$(get-childitem "$($dir.FullName)");

    foreach( $f in $dirs)
    {
        if( $f.PSisContainer )
        {
            recurseDir $f;
        }    
        elseif($f.Name -imatch "$filter")
        {
            copyFile $f;
        }
    }
}

function copyFile($f)
{
    $newFile=$($f.FullName).Replace($folderTobeBackedUp, $backupFolder);
    $parent="$(Split-Path $newFile -Parent)";
    if( -not (test-path $parent))
    {
        new-item -Path $parent -type "directory";
    }
    try
    {
        $f.CopyTo("$newFile", $overwrite);
        (rmdir -Path $f.FullName -Force);
    }
    catch
    {
        Write-Host $_.Exception.ToString();
    }   
}

$folders=$(get-childitem "$folderTobeBackedUp");
foreach($f in $folders)
{
    if( $f.Name -imatch "_BACKUP" )
    {
        ; # Do nothing.
    }
    elseif( $f.PSisContainer )
    {
        recurseDir $f;
    }
    elseif($f.Name -imatch "$filter")
    {
        copyFile $f;
    }
}
-1

Будет ли возможность установить инструменты инструментов Unix или язык сценариев (например, Perl)?

По сути, если у вас есть какой-либо язык, который может читать файл, вы можете читать его построчно в переменную и выполнять

Я просто зарисовываю это в perl здесь (это, безусловно, потребует некоторой доработки):

while ( <NAMESFILE> ) {  # for all lines until EOF
   $file= $_;
   system("xcopy $file d:\backup\$file");
   system("del $file");
}

В этом случае xcopy создаст полный путь, а del затем удалит оригинал.

-1

XCOPY делает ту работу, которая вам нужна. Это может использоваться в пакетной работе таким образом:

xcopy "C:\FolderName\*.*" "D:\FolderName\*.*" /D /E /V /C /I /F /H /R /K /Y /Z

Вот полный синтаксис, включая значения ключей:

C:\>xcopy /?
Copies files and directory trees.

XCOPY source [destination] [/A | /M] [/D[:date]] [/P] [/S [/E]] [/V] [/W]
                           [/C] [/I] [/Q] [/F] [/L] [/G] [/H] [/R] [/T] [/U]
                           [/K] [/N] [/O] [/X] [/Y] [/-Y] [/Z]
                           [/EXCLUDE:file1[+file2][+file3]...]

  source       Specifies the file(s) to copy.
  destination  Specifies the location and/or name of new files.
  /A           Copies only files with the archive attribute set,
               doesn't change the attribute.
  /M           Copies only files with the archive attribute set,
               turns off the archive attribute.
  /D:m-d-y     Copies files changed on or after the specified date.
               If no date is given, copies only those files whose
               source time is newer than the destination time.
  /EXCLUDE:file1[+file2][+file3]...
               Specifies a list of files containing strings.  Each string
               should be in a separate line in the files.  When any of the
               strings match any part of the absolute path of the file to be
               copied, that file will be excluded from being copied.  For
               example, specifying a string like \obj\ or .obj will exclude
               all files underneath the directory obj or all files with the
               .obj extension respectively.
  /P           Prompts you before creating each destination file.
  /S           Copies directories and subdirectories except empty ones.
  /E           Copies directories and subdirectories, including empty ones.
               Same as /S /E. May be used to modify /T.
  /V           Verifies each new file.
  /W           Prompts you to press a key before copying.
  /C           Continues copying even if errors occur.
  /I           If destination does not exist and copying more than one file,
               assumes that destination must be a directory.
  /Q           Does not display file names while copying.
  /F           Displays full source and destination file names while copying.
  /L           Displays files that would be copied.
  /G           Allows the copying of encrypted files to destination that does
               not support encryption.
  /H           Copies hidden and system files also.
  /R           Overwrites read-only files.
  /T           Creates directory structure, but does not copy files. Does not
               include empty directories or subdirectories. /T /E includes
               empty directories and subdirectories.
  /U           Copies only files that already exist in destination.
  /K           Copies attributes. Normal Xcopy will reset read-only attributes.
  /N           Copies using the generated short names.
  /O           Copies file ownership and ACL information.
  /X           Copies file audit settings (implies /O).
  /Y           Suppresses prompting to confirm you want to overwrite an
               existing destination file.
  /-Y          Causes prompting to confirm you want to overwrite an
               existing destination file.
  /Z           Copies networked files in restartable mode.

The switch /Y may be preset in the COPYCMD environment variable.
This may be overridden with /-Y on the command line.

Всё ещё ищете ответ? Посмотрите другие вопросы с метками .