我有一个数据表单,可将​​pdf文件上传到blob类型字段中,
我的问题是,当我要显示它时,总是会显示以下消息:无法加载PDF文档。遵循我的代码:

     $code = mysqli_real_escape_string($conn , $_GET['doc']);
 $q = mysqli_query($conn, ' SELECT document FROM saisie WHERE code = "'.$doc.'" ');
 $r= mysqli_fetch_assoc($q);
 $doc=$r['document'];

 header('Content-Type: application/pdf') ;
 header('Content-Disposition: inline; filename="test.pdf"') ;
 header('Content-Transfer-Encoding: binary');
 header('Accept-Ranges: bytes');
 @readfile($doc) ;

最佳答案

这是一个对我来说很好的简单脚本:

<?php

$db = new PDO("mysql:host=localhost;dbname=test", "test","");

// Read the file and store as blob into DB
$filename = 'doc.pdf';
$fileContents = file_get_contents($filename);

$stmt = $db->prepare("insert into pdf_blob(filename, data) values (?, ?)");
$stmt->execute([$filename, $fileContents]);


// Read blob data from DB and output in browser
$stmt = $db->prepare("select filename, data from pdf_blob where filename = ? limit 1");
$stmt->execute([$filename]);
$result = $stmt->fetch();

header('Content-Type: application/pdf') ;
header('Content-Disposition: inline; filename="test.pdf"') ;
header('Content-Transfer-Encoding: binary');
header('Accept-Ranges: bytes');

echo $result['data'];


我使用file_get_contents()从文件系统中读取PDF文件,并将内容存储到MySQL BLOB列中。之后,我从数据库中读取了相同的数据,只需将echo用于输出。标头声明与您的代码完全相同。

尽管我在这里使用PDO代替mysqli,但这可能没关系。

这是我的表定义:

CREATE TABLE `pdf_blob` (
    `id` INT(10) UNSIGNED NOT NULL AUTO_INCREMENT,
    `filename` VARCHAR(50) NOT NULL,
    `data` BLOB NOT NULL,
    PRIMARY KEY (`id`)
) ENGINE=InnoDB;

关于php - 无法将PDF文档加载到我的数据库php中的Blob类型中,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/54390412/

10-09 00:20