如何在PHP中获取文件的内容类型?

2022-08-30 17:38:06

我正在使用 PHP 发送带有附件的电子邮件。附件可以是几种不同文件类型(pdf,txt,doc,swf等)中的任何一种。

首先,脚本使用“file_get_contents”获取文件。

稍后,该脚本在标头中回显:

Content-Type: <?php echo $the_content_type; ?>; name="<?php echo $the_file_name; ?>"

如何为$the_content_type设置正确的值?


答案 1

我正在使用这个函数,它包括几个回退来补偿旧版本的PHP或只是糟糕的结果:

function getFileMimeType($file) {
    if (function_exists('finfo_file')) {
        $finfo = finfo_open(FILEINFO_MIME_TYPE);
        $type = finfo_file($finfo, $file);
        finfo_close($finfo);
    } else {
        require_once 'upgradephp/ext/mime.php';
        $type = mime_content_type($file);
    }

    if (!$type || in_array($type, array('application/octet-stream', 'text/plain'))) {
        $secondOpinion = exec('file -b --mime-type ' . escapeshellarg($file), $foo, $returnCode);
        if ($returnCode === 0 && $secondOpinion) {
            $type = $secondOpinion;
        }
    }

    if (!$type || in_array($type, array('application/octet-stream', 'text/plain'))) {
        require_once 'upgradephp/ext/mime.php';
        $exifImageType = exif_imagetype($file);
        if ($exifImageType !== false) {
            $type = image_type_to_mime_type($exifImageType);
        }
    }

    return $type;
}

它尝试使用较新的 PHP 函数。如果这些不可用,它将使用替代项,并包括升级.php库中的直接替换,以确保它存在。如果这些没有返回任何有用的东西,它将尝试操作系统的命令。AFAIK仅在* NIX系统上可用,如果您计划在Windows上使用它,则可能需要更改或删除它。如果没有任何效果,它将仅尝试作为图像的回退。finfomime_content_typefileexif_imagetype

我注意到不同的服务器在支持哑剧类型功能方面差异很大,并且升级.php替换远非完美。有限的功能,无论是原始功能还是升级.php替换功能,都非常可靠地工作。如果您只关心图像,则可能只想使用最后一个图像。mime_content_typeexif_imagetype


答案 2

在php中很容易拥有它。

只需调用以下 php 函数mime_content_type

<?php
    $filelink= 'uploads/some_file.pdf';
    $the_content_type = "";

    // check if the file exist before
    if(is_file($file_link)) {
        $the_content_type = mime_content_type($file_link);
    }
    // You can now use it here.

?>

函数 mime_content_type() 的 PHP 文档希望它能帮助别人


推荐