我是 postgresql 和 php 的新手,但我希望实现全文搜索并且在查询文本搜索的基本查询时遇到问题,我想在屏幕上打印结果,因为它会在 postgres 本身中显示,帮助会很大.
谢谢你。
我是 postgresql 和 php 的新手,但我希望实现全文搜索并且在查询文本搜索的基本查询时遇到问题,我想在屏幕上打印结果,因为它会在 postgres 本身中显示,帮助会很大.
谢谢你。
您的问题中有很多概念,让我们来看看:
首先你需要创建表:
CREATE TABLE person (
id SERIAL PRIMARY KEY,
fullname TEXT NOT NULL,
dob DATE,
bio TEXT NOT NULL
);
插入一些测试数据:
INSERT INTO person (fullname, dob, bio) VALUES
('Steve Jobs', '1955-02-24', 'Steven Paul "Steve" Jobs...'),
('Tutankhamun', NULL, 'Tutankhamun (alternately spelled...');
为了使搜索更快,您应该在您计划搜索的列上创建一个全文索引:
CREATE INDEX person_fts ON person USING gin(to_tsvector('english', bio));
在您的 PHP 脚本中,您必须连接到 PostgreSQL:
$dbconn = pg_connect("dbname=mary");
现在您可以使用pg_query()进行全文搜索:
$words = "steve jobs";
$sql = "SELECT * FROM person WHERE to_tsvector(bio) @@ to_tsquery('$words')";
$query = pg_query($dbconn, $sql);
if(!$query)
die("An error occured.\n");
如果您想返回您在 psql 中看到的所有内容,则将记录呈现到TABLE:
echo "<table>";
while($row = pg_fetch_row($result)) {
echo "<tr>";
foreach($row as $cell)
echo "<td>{$cell}</td>";
echo "</tr>";
}
echo "</table>";
<?php
$conn = pg_connect('host=localhost port=5432 dbname=test user=lamb password=bar');
$search = 'some words';
$result = pg_query($conn, "SELECT id, text FROM some_table WHERE text ILIKE '%$search%'");
?>
<table>
<tr>
<th>ID</th>
<th>Text</th>
</tr>
<?php foreach($array = pg_fetch_all_columns($result) as $value): ?>
<tr>
<td><?php echo $value[0]; ?></td>
<td><?php echo $value[1]; ?></td>
</tr>
<?php endforeach; ?>
</table>