使用PHP复制和重命名多个文件

时间:2015-12-09 17:59:03

标签: php image copy

有没有办法在php中复制和重命名多个文件,但是从数组或变量列表中获取它们的名称。

我能找到的最接近我需要的是这个页面 Copy & rename a file to the same directory without deleting the original file

但此页面上的脚本唯一要做的就是创建第二个文件,并且它的名称已在脚本中预设。

我需要能够复制和创建多个文件,例如100-200,并从数组中设置它们的名称。

如果我有一个名为" service.jpg"的初始文件。 我需要使用数组中的不同名称多次复制文件:

$ imgnames = array(' London',' New-York',' Seattle',); 等

获得3个独立文件的最终结果,名为" service-London.jpg"," service-New-York.jpg"等等。

我确信它应该是一个非常简单的脚本,但我当时对PHP的了解非常微不足道。

2 个答案:

答案 0 :(得分:0)

您可以使用正则表达式来构建新的文件名,如下所示:

$fromFolder = 'Images/folder/';
$fromFile = 'service.jpg';
$toFolder = 'Images/folder/';
$imgnames = array('London', 'New-York','Seattle');

foreach ($imgnames as $imgname) {
    $newFile = preg_replace("/(\.[^\.]+)$/", "-" . $imgname . "$1", $fromFile);
    echo "Copying $fromFile to $newFile";
    copy($fromFolder . $fromFile, $toFolder . $newFile);
}

以上将在复制文件时输出以下内容:

Copying service.jpg to service-London.jpg
Copying service.jpg to service-New-York.jpg
Copying service.jpg to service-Seattle.jpg

在上面的代码中,将$fromFolder$toFolder设置为您的文件夹,如果需要,它们可以是同一个文件夹。

答案 1 :(得分:0)

您可以采取的一种方法(未经测试)是创建一个复制目录的类。你提到你需要在目录中获取文件的名称,这种方法将为你处理它。

它将迭代一组名称(无论你传递给它),并复制/重命名所选目录中的所有文件。您可能希望在copy()方法(file_exists等)中添加一些检查,但这肯定会让您前进并且非常灵活。

// Instantiate, passing the array of names and the directory you want copied
$c = new CopyDirectory(['London', 'New-York', 'Seattle'], 'location/of/your/directory/');

// Call copy() to copy the directory
$c->copy();

/**
 * CopyDirectory will iterate over all the files in a given directory
 * copy them, and rename the file by appending a given name
 */
class CopyDirectory
{
    private $imageNames; // array
    private $directory; // string

    /**
     * Constructor sets the imageNames and the directory to duplicate
     * @param array
     * @param string
     */
    public function __construct($imageNames, $directory)
    {
        $this->imageNames = $imageNames;
        $this->directory = $directory;
    }

    /**
     * Method to copy all files within a directory
     */
    public function copy()
    {   
        // Iterate over your imageNames
        foreach ($this->imageNames as $name) {
            // Locate all the files in a directory (array_slice is removing the trailing ..)
            foreach (array_slice(scandir($this->directory),2) as $file) {
                // Generates array of path information
                $pathInfo = pathinfo($this->directory . $file);

                // Copy the file, renaming with $name appended
                copy($this->directory . $file, $this->directory . $pathInfo['filename'] . '-' . $name .'.'. $pathInfo['extension']);
            }
        }       
    }
}