PHP 압축 중국어 문자 깨짐 문제를 해결하는 방법

藏色散人
풀어 주다: 2023-03-17 13:24:01
원래의
1959명이 탐색했습니다.

PHP 압축 시 중국어 문자 문제 해결: 1. "composer require nelexa/zip"을 통해 PhpZip을 설치합니다. 2. "ZipFile.php"를 엽니다. 3. "extractTo" 메소드를 찾아 "is_writable" 기능을 변경하거나 제거합니다. 4. 인코딩 형식을 변환하면 됩니다.

PHP 압축 중국어 문자 깨짐 문제를 해결하는 방법

이 튜토리얼의 운영 환경: Windows 7 시스템, PHP 버전 8.1, Dell G3 컴퓨터.

PHP 압축 중국어 문자 왜곡 문제를 해결하는 방법은 무엇입니까?

ZipArchive를 사용하여 PHP 압축을 풀 때 중국어 글자가 깨지는 문제 해결(순수 PHP, ZipArchive 우회)

ZipArchive를 사용하여 PHP 압축을 풀 때 중국어 글자가 깨지는 문제 해결

PHP와 함께 제공되는 ZipArchive를 사용하여 압축 해제 파일명이 중국어인 패키지는 코드가 깨져서 나타나는 현상은 다음과 같습니다.

PHP 압축 중국어 문자 깨짐 문제를 해결하는 방법

기본적으로 온라인 검색으로 나온 답변도 비슷합니다. 아래 사진은 해결이 안되네요.

PHP 압축 중국어 문자 깨짐 문제를 해결하는 방법

찾아본 결과 마침내 해결책은 ZipArchive를 버리고 다른 방법을 선택하는 것이었습니다. 비교 후 "PhpZip"의 장점은 확장 프로그램과 클래스가 없다는 것입니다. 필수) 설치 방법은 다음과 같습니다.

컴포저 설치:

composer require nelexa/zip
로그인 후 복사

버전을 선택하는 경우: 작곡가 필수 nelexa/zip:^3.0(3.0 버전 번호)

사용법:

//解压文件
$fileAddess = "压缩包地址";
$toDir = "解压目录";
$zipFile = new \PhpZip\ZipFile();
$zipFile->openFile($fileAddess) // open archive from file
->extractTo($toDir); // extract files to the specified directory
$zipFile->close();
로그인 후 복사

참고: (**만약 정상적으로 설치되어 사용 중이라면 다음 설명을 무시하세요**)

1. Me 압축된 패키지가 공유 디스크에 배치되고 smb 주소에 연결되면 "대상이 쓰기 가능한 디렉터리가 아닙니다."라는 오류 메시지가 나타날 수 있습니다. 이전에 함정을 통과한 적이 있습니다. ZipFile.php 파일을 열고 "extractTo" 메소드를 찾은 다음 "is_writable"을 변경하십시오. 함수를 변경하거나 제거한 다음 인코딩 형식을 변환하십시오! , 아래 댓글은 제가 수정한 내용입니다!

/**
     * Extract the archive contents
     *
     * Extract the complete archive or the given files to the specified destination.
     *
     * @param string $destination Location where to extract the files.
     * @param array|string|null $entries The entries to extract. It accepts either
     *                                   a single entry name or an array of names.
     * @return ZipFile
     * @throws ZipException
     */
    public function extractTo($destination, $entries = null)
    {
        if (!file_exists($destination)) {
            throw new ZipException("Destination " . $destination . " not found");
        }
        if (!is_dir($destination)) {
            throw new ZipException("Destination is not directory");
        }
        $is_really_writable = $this->is_really_writable($destination);
        if (!$is_really_writable) {
            throw new ZipException("Destination is not writable directory");
        }
        /**
         * @var ZipEntry[] $zipEntries
         */
        if (!empty($entries)) {
            if (is_string($entries)) {
                $entries = (array)$entries;
            }
            if (is_array($entries)) {
                $entries = array_unique($entries);
                $flipEntries = array_flip($entries);
                $zipEntries = array_filter(
                    $this->centralDirectory->getEntries(),
                    function ($zipEntry) use ($flipEntries) {
                        /**
                         * @var ZipEntry $zipEntry
                         */
                        return isset($flipEntries[$zipEntry->getName()]);
                    }
                );
            }
        } else {
            $zipEntries = $this->centralDirectory->getEntries();
        }
        foreach ($zipEntries as $entry) {
            /******************************王天佑添加的逻辑start************************************/
            header("Content-type:text/html;charset=bgk");
            $entry_getName = iconv('GB2312', 'UTF-8//ignore',$entry->getName());
            //header("Content-type:text/html;charset=utf-8");
            /******************************王天佑添加的逻辑start************************************/
            $file = $destination . DIRECTORY_SEPARATOR . $entry_getName;
            if ($entry->isDirectory()) {
                if (!is_dir($file)) {
                    if (!mkdir($file, 0755, true)) {
                        throw new ZipException("Can not create dir " . $file);
                    }
                    chmod($file, 0755);
                    touch($file, $entry->getTime());
                }
                continue;
            }
            $dir = dirname($file);
            if (!is_dir($dir)) {
                if (!mkdir($dir, 0755, true)) {
                    throw new ZipException("Can not create dir " . $dir);
                }
                chmod($dir, 0755);
                touch($dir, $entry->getTime());
            }
            if (file_put_contents($file, $entry->getEntryContent()) === false) {
                throw new ZipException('Can not extract file ' . $entry_getName);
            }
            touch($file, $entry->getTime());
        }
        return $this;
    }
    //王天佑加的新逻辑,判断目录是否可写
    public function is_really_writable($file){
        if (DIRECTORY_SEPARATOR == '/' AND @ini_get("safe_mode") == FALSE) {
            return is_writable($file);
        }
        if (is_dir($file)) {
            $file = rtrim($file, '/') . '/' . md5(mt_rand(1,100) . mt_rand(1,100));
            if (($fp = @fopen($file, "w+")) === FALSE) {
                return FALSE;
            }
            fclose($fp);
            @chmod($file, 0777);
            @unlink($file);
        } elseif (!is_file($file) OR ($fp = @fopen($file, "r+")) === FALSE) {
            fclose($fp);
            return FALSE;
        }
        return TRUE;
    }
로그인 후 복사

추천 학습: "PHP 비디오 튜토리얼"

위 내용은 PHP 압축 중국어 문자 깨짐 문제를 해결하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

관련 라벨:
원천:php.cn
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
최신 이슈
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿