移动和复制文件和目录
复制文件
copy
将第一个参数中的源文件复制到第二个参数中的目标。已解析的目标需要位于已创建的目录中。
if (copy('test.txt', 'dest.txt')) {
echo 'File has been copied successfully';
} else {
echo 'Failed to copy file to destination given.'
}
使用递归复制目录
复制目录非常类似于删除目录,除了文件 copy
而不是 unlink
使用,而对于目录,使用 mkdir
而不是 rmdir
,而不是在函数的末尾。
function recurse_delete_dir(string $src, string $dest) : int {
$count = 0;
// ensure that $src and $dest end with a slash so that we can concatenate it with the filenames directly
$src = rtrim($dest, "/\\") . "/";
$dest = rtrim($dest, "/\\") . "/";
// use dir() to list files
$list = dir($src);
// create $dest if it does not already exist
@mkdir($dest);
// store the next file name to $file. if $file is false, that's all -- end the loop.
while(($file = $list->read()) !== false) {
if($file === "." || $file === "..") continue;
if(is_file($src . $file)) {
copy($src . $file, $dest . $file);
$count++;
} elseif(is_dir($src . $file)) {
$count += recurse_copy_dir($src . $file, $dest . $file);
}
}
return $count;
}
重命名/移动
重命名/移动文件和目录要简单得多。使用 rename
函数可以在一次调用中移动或重命名整个目录。
-
rename("~/file.txt", "~/file.html");
-
rename("~/dir", "~/old_dir");
-
rename("~/dir/file.txt", "~/dir2/file.txt");