PHP PDO 大對象 (LOBs)
應(yīng)用程序在某一時(shí)刻,可能需要在數(shù)據(jù)庫中存儲(chǔ)"大"數(shù)據(jù)。
"大"通常意味著"大約 4kb 或以上",盡管某些數(shù)據(jù)庫在數(shù)據(jù)達(dá)到"大"之前可以輕松地處理多達(dá) 32kb 的數(shù)據(jù)。大對象本質(zhì)上可能是文本或二進(jìn)制。
在 PDOStatement::bindParam() 或 PDOStatement::bindColumn()) 調(diào)用中使用 PDO::PARAM_LOB 類型碼可以讓 PDO 使用大數(shù)據(jù)類型。
PDO::PARAM_LOB 告訴 PDO 作為流來映射數(shù)據(jù),以便能使用 PHP Streams API 來操作。
從數(shù)據(jù)庫中顯示一張圖片
下面例子綁定一個(gè) LOB 到 $lob 變量,然后用 fpassthru() 將其發(fā)送到瀏覽器。因?yàn)?LOB 代表一個(gè)流,所以類似 fgets()、fread() 以及 stream_get_contents() 這樣的函數(shù)都可以用在它上面。
<?php $db = new PDO('odbc:SAMPLE', 'db2inst1', 'ibmdb2'); $stmt = $db->prepare("select contenttype, imagedata from images where id=?"); $stmt->execute(array($_GET['id'])); $stmt->bindColumn(1, $type, PDO::PARAM_STR, 256); $stmt->bindColumn(2, $lob, PDO::PARAM_LOB); $stmt->fetch(PDO::FETCH_BOUND); header("Content-Type: $type"); fpassthru($lob); ?>
插入一張圖片到數(shù)據(jù)庫
下面例子打開一個(gè)文件并將文件句柄傳給 PDO 來做為一個(gè) LOB 插入。PDO盡可能地讓數(shù)據(jù)庫以最有效的方式獲取文件內(nèi)容。
<?php $db = new PDO('odbc:SAMPLE', 'db2inst1', 'ibmdb2'); $stmt = $db->prepare("insert into images (id, contenttype, imagedata) values (?, ?, ?)"); $id = get_new_id(); // 調(diào)用某個(gè)函數(shù)來分配一個(gè)新 ID // 假設(shè)處理一個(gè)文件上傳 // 可以在 PHP 文檔中找到更多的信息 $fp = fopen($_FILES['file']['tmp_name'], 'rb'); $stmt->bindParam(1, $id); $stmt->bindParam(2, $_FILES['file']['type']); $stmt->bindParam(3, $fp, PDO::PARAM_LOB); $db->beginTransaction(); $stmt->execute(); $db->commit(); ?>
插入一張圖片到數(shù)據(jù)庫:Oracle
對于從文件插入一個(gè) lob,Oracle略有不同。必須在事務(wù)之后進(jìn)行插入,否則當(dāng)執(zhí)行查詢時(shí)導(dǎo)致新近插入 LOB 將以0長度被隱式提交:
<?php $db = new PDO('oci:', 'scott', 'tiger'); $stmt = $db->prepare("insert into images (id, contenttype, imagedata) " . "VALUES (?, ?, EMPTY_BLOB()) RETURNING imagedata INTO ?"); $id = get_new_id(); // 調(diào)用某個(gè)函數(shù)來分配一個(gè)新 ID // 假設(shè)處理一個(gè)文件上傳 // 可以在 PHP 文檔中找到更多的信息 $fp = fopen($_FILES['file']['tmp_name'], 'rb'); $stmt->bindParam(1, $id); $stmt->bindParam(2, $_FILES['file']['type']); $stmt->bindParam(3, $fp, PDO::PARAM_LOB); $stmt->beginTransaction(); $stmt->execute(); $stmt->commit(); ?>
更多建議: