원격 이미지 다운로드 및 저장을 처리 할 때 PHP 개발자는 종종 저축 속도가 느린 문제에 직면 해 있습니다. 성능을 향상시키기 위해이 기사는 대부분의 실용적인 프로젝트 시나리오에 적합한 세 가지 효과적인 최적화 솔루션을 소개합니다.
멀티 스레딩을 사용하면 여러 이미지를 다운로드하고 저장하는 속도가 크게 향상 될 수 있습니다. 다음은 CURL_MULTI를 사용하여 이미지의 동시 다운로드를 구현하기위한 샘플 코드입니다.
 
<?php
function downloadImages($urls, $savePath)
{
    $mh = curl_multi_init();
    $handles = [];
    foreach ($urls as $i => $url) {
        $ch = curl_init($url);
        $filename = $savePath . 'image' . $i . '.jpg';
        $fp = fopen($filename, 'w');
        curl_setopt($ch, CURLOPT_FILE, $fp);
        curl_setopt($ch, CURLOPT_HEADER, 0);
        $handles[$i] = ['ch' => $ch, 'fp' => $fp];
        curl_multi_add_handle($mh, $ch);
    }
    $running = null;
    do {
        curl_multi_exec($mh, $running);
    } while ($running > 0);
    foreach ($handles as $handle) {
        curl_multi_remove_handle($mh, $handle['ch']);
        curl_close($handle['ch']);
        fclose($handle['fp']);
    }
    curl_multi_close($mh);
}
$urls = [
    'http://example.com/image1.jpg',
    'http://example.com/image2.jpg',
    'http://example.com/image3.jpg'
];
$savePath = '/path/to/save/';
downloadImages($urls, $savePath);
원격 이미지 컨텐츠를 먼저 메모리에로드 한 다음 파일 시스템에 쓰면 디스크 I/O 작업이 줄어들고 스토리지 속도를 가속화 할 수 있습니다. 다음은 구현 코드입니다.
 
<?php
function saveImage($url, $savePath)
{
    $data = file_get_contents($url);
    if ($data) {
        $filename = $savePath . basename($url);
        return file_put_contents($filename, $data);
    }
    return false;
}
$url = 'http://example.com/image.jpg';
$savePath = '/path/to/save/';
saveImage($url, $savePath);
Curl Extension 사용은 File_Get_Contents 보다 높은 동시성 시나리오에 더 적합하며 네트워크 요청 효율성을 높일 수 있습니다.
 
<?php
function saveImage($url, $savePath)
{
    $ch = curl_init($url);
    $fp = fopen($savePath, 'w');
    curl_setopt($ch, CURLOPT_FILE, $fp);
    curl_setopt($ch, CURLOPT_HEADER, 0);
    $result = curl_exec($ch);
    curl_close($ch);
    fclose($fp);
    return $result;
}
$url = 'http://example.com/image.jpg';
$savePath = '/path/to/save/image.jpg';
saveImage($url, $savePath);
위의 세 가지 방법은 각각 멀티 스레딩, 메모리 최적화 및 확장 도구에서 시작하여 원격 사진을 저장할 때 PHP에 실용적인 속도 업 솔루션을 제공합니다. 개발자는 실제 시나리오를 기반으로 가장 적절한 방법을 선택하여 프로그램 응답 효율성 및 사용자 경험을 향상시킬 수 있습니다.