最近有人問我做下載檔案的方法,對於php方法如下:
<?php header("Content-Type: application/force-download"); header("Content-Disposition: attachment; filename=ins.jpg"); readfile("imgs/test_Zoom.jpg"); ?>
第一行程式碼是強制下載;
第二行程式碼是指定下載的內容一個名字;
第三行程式碼是把下載的內容讀進文件中。
如何在PHP下載檔案名稱中解決亂碼
透過把Content-Type設定為application/octet-stream,可以把動態產生的內容當作檔案來下載,相信這個大家都會。那麼用Content-Disposition設定下載的檔名,這個也有不少人知道吧。基本上,下載程式都是這麼寫的:
<?php $filename = "document.txt"; header('Content-Type: application/octet-stream'); header('Content-Disposition: attachment; filename=' . $filename); print "Hello!"; ?>
這樣用瀏覽器開啟之後,就可以下載document.txt。
但是,如果$filename是UTF-8編碼的,有些瀏覽器就無法正常處理了。例如把上面那個程式稍稍改一下:
<?php $filename = "中文 文件名.txt"; header('Content-Type: application/octet-stream'); header('Content-Disposition: attachment; filename=' . $filename); print "Hello!"; ?>
把程式保存成UTF-8編碼再訪問,IE6下載的檔案名稱就會亂碼。 FF3下下載的檔名就只有「中文」兩個字。 Opera 9下一切正常。
輸出的header其實是這樣子:
Content-Disposition: attachment; filename=中文檔名.txt其實依照RFC2231的定義,多國語言編碼的Content-Disposition應該這麼定義:
Content-Disposition: attachment; filename*="utf8''%E4%B8%AD%E6%96%87%20%E6%96%87%E4%BB%B6%E5%90%8D.txt"
:file 等號之前要加*
filename的值用單引號分成三段,分別是字元集(utf8)、語言(空)和urlencode過的檔名。
最好加上雙引號,否則檔案名稱中空格後面的部分在Firefox中顯示不出來
注意urlencode的結果與php的urlencode函數結果不太相同,php的urlencode會把空格替換成+,而這裡需要替換成%20
經過試驗,發現幾個主流瀏覽器的支援情況如下:
IE6 attachment; filename="
FF3 attachment; filename="UTF-8檔案名稱"
attachment; filename*="utf8''
O9 attachment; filename="UTF-8檔名"
Safari3(Win) 似乎不支援?上述方法都不行
這樣看來,程式必須這樣寫才能支援所有主流瀏覽器: <?php
$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 . '"');
}
print 'ABC';
?>