Content-Type을 application/octet-stream으로 설정하면 동적으로 생성된 콘텐츠를 파일로 다운로드할 수 있다는 사실은 누구나 알고 있을 것입니다. 그런 다음 Content-Disposition을 사용하여 다운로드한 파일 이름을 설정하십시오. 많은 사람들이 이것을 알고 있습니다. 기본적으로 다운로드 프로그램은 다음과 같이 작성됩니다:
$filename = "document.txt";
header('Content-Type: application/octet-stream') ;
header('Content-Disposition: attachment; filename=' . $filename);
print "Hello!";
?>
[/cdoe]
브라우저를 이렇게 사용하세요 개봉 후 document.txt를 다운로드할 수 있습니다.
그러나 $filename이 UTF-8로 인코딩된 경우 일부 브라우저에서는 이를 제대로 처리하지 못할 수 있습니다. 예를 들어 위 프로그램을 약간 변경해 보세요.
[code]
$filename = "중국어 파일 이름.txt";
header('Content-Type: application/octet- stream');
header('Content-Disposition: attachment; filename=' . $filename);
print "Hello!";
?>
[/cdoe]
If 프로그램이 UTF-8 인코딩으로 저장되었다가 다시 액세스하면 IE6에서 다운로드한 파일 이름이 깨집니다. FF3에서 다운로드한 파일 이름에는 "중국어"라는 단어만 있습니다. Opera 9에서는 모든 것이 잘 작동합니다.
출력 헤더는 실제로 다음과 같습니다.
Content-Disposition: attachment; filename=중국어 파일 이름.txt 실제로 RFC2231의 정의에 따르면 다국어 인코딩 Content-Disposition 다음과 같이 정의해야 합니다.
Content-Disposition: filename*="utf8''%E4%B8%AD%E6%96%87%20%E6%96%87%E4%BB% B6%E5%90 %8D.txt" 즉:
filename 뒤의 등호 앞에는 *가 와야 합니다.
filename의 값은 작은따옴표로 묶인 세 섹션으로 나누어지며 문자 집합( utf8), 언어(비어 있음) 및 urlencode 파일 이름입니다.
큰따옴표를 추가하는 것이 가장 좋습니다. 그렇지 않으면 파일 이름에서 공백 뒤의 부분이 Firefox에 표시되지 않습니다.
urlencode의 결과는 PHP의 urlencode 함수 결과와 동일하지 않습니다. 공백은 +로 대체되며 %20으로 대체되어야 합니다.
테스트 결과 여러 주류 브라우저의 지원이 다음과 같은 것으로 확인되었습니다.
IE6 attachmentname="
FF3 첨부; filename="UTF-8 파일 이름"
attachment; filename*="utf8''
O9 첨부 파일 이름= "UTF-8 파일 이름"
Safari3(Win)에서는 지원하지 않는 것 같나요? 위의 방법 중 어느 것도 작동하지 않습니다
모든 주류 브라우저를 지원하려면 프로그램을 다음과 같이 작성해야 하는 것 같습니다:
[code]
$ua = $_SERVER ["HTTP_USER_AGENT "];
$filename = "중국어 파일 이름.txt";
$encoded_filename = urlencode($filename);
$encoded_filename = str_replace("+", "%20", $ encoded_filename);
header('Content-Type: application/octet-stream');
if (preg_match("/MSIE/", $ua)) {
header('Content-Disposition: attachment) ; filename= "' . $encoded_filename . '"');
} else if (preg_match("/Firefox/", $ua)) {
header('Content-Disposition: attachment; filename*=" utf8'' ' . $filename . '"');
} else {
header('Content-Disposition: attachment; filename="' . $filename . '"');
}
' ABC' 인쇄;
?>