我开始使用DataTables Table plug-in for jQuery并遇到了一些问题。我正在使用here中的示例代码。
我有MySQL表女巫看起来像那样:
id |名字| father_id
father_id
仅在同一个表中的id
值位于不同的行中。所以,如果我想知道父亲的名字,我必须在同一张表WHERE id = father_id
中搜索。但DataTable所做的只是显示MySQL表的内容。
在我的DataTable中,我希望显示如下数据:
id |名字| father_name | father_id
因此,当DataTable从MySQL表中获取数据时,但在创建表之前,我想要更改当时在MySQL中同一行中father_id
的值的列值。我想通过使用特定father_name
搜索它来添加father_id
。
答案 0 :(得分:7)
如PaulF所指出,您需要使用JOIN
或子查询从同一个表中检索父亲的姓名。
我假设您使用ssp.class.php
根据您提到的示例在服务器端处理数据。
类ssp.class.php
不支持联接和子查询,但有一种解决方法。诀窍是使用$table
定义中的子查询,如下所示。将table
替换为子查询中的实际表名。
$table = <<<EOT
(
SELECT
a.id,
a.name,
a.father_id,
b.name AS father_name
FROM table a
LEFT JOIN table b ON a.father_id = b.id
) temp
EOT;
$primaryKey = 'id';
$columns = array(
array( 'db' => 'id', 'dt' => 0 ),
array( 'db' => 'name', 'dt' => 1 ),
array( 'db' => 'father_id', 'dt' => 2 ),
array( 'db' => 'father_name', 'dt' => 3 )
);
$sql_details = array(
'user' => '',
'pass' => '',
'db' => '',
'host' => ''
);
require( 'ssp.class.php' );
echo json_encode(
SSP::simple( $_GET, $sql_details, $table, $primaryKey, $columns )
);
您还需要修改ssp.class.php
并将FROM `$table`
的所有实例替换为FROM $table
以删除反引号。
确保所有列名称都是唯一的,否则请使用AS
指定别名。
还有github.com/emran/ssp存储库,其中包含支持JOIN的增强型ssp.class.php
。
有关详细信息,请参阅jQuery DataTables: Using WHERE, JOIN and GROUP BY with ssp.class.php。
答案 1 :(得分:0)
自己加入表格 - 你需要使用别名
SELECT a.id, a.name, b.name, b.id
FROM table a
join table b on (b.father_id=a.id);
答案 2 :(得分:0)
最近我发现自己使用DataTables并且需要一个更复杂的JOIN和WHERE子句,而原始的ssp.class.php不支持。所以我修改了原始文件并稍微更改了API,以提供一个表格,为我提供了所需的灵活性。我结合了&#34; SSP :: simple&#34;的功能。和&#34; SSP :: complex&#34;到一个名为&#34; SSP :: process&#34;。
的函数中由于脚本的长度,我把它放在pastebin.com上:ssp.class.php
以及我如何使用它的一个简单示例:
private function get_recent_payments() {
global
$pdoHost, $pdoUser,
$pdoPass, $pdoDatabase;
// SQL server connection information
$sql_details = array(
'user' => $pdoUser,
'pass' => $pdoPass,
'db' => $pdoDatabase,
'host' => $pdoHost
);
// DataTables server-side processing
require_once('ssp.class.php');
$options = [
'table' => 'payments',
'alias' => 'l',
'primaryKey' => 'id',
'columns' => [
[ 'db' => 'id', 'dt' => 0 ],
[
'db' => 'client_id',
'dt' => 1,
'join' => [
'table' => 'clients',
'on' => 'id',
'select' => 'first_name',
'alias' => 'c',
'as' => 'fname',
]
],
[
'db' => 'client_id',
'dt' => 2,
'join' => [
'table' => 'clients',
'on' => 'id',
'select' => 'last_name',
'alias' => 'c'
]
],
[ 'db' => 'pay_date', 'dt' => 3 ]
],
'where' => [
[
'db' => 'client_id',
'op' => '!=',
'value' => $_SESSION['client_id']
]
]
];
$this->response(SSP::process($_REQUEST, $sql_details, $options));
}
&#39;其中&#39;和&#39; whereResult&#39; (参见&#39; SSP :: complex&#39; for Details)options数组的子句也可能有一个&#39;别名&#39;引用连接表中的列。
传递给服务器的示例SQL查询:
SELECT l.`id`, c.`first_name` AS 'fname', c.`last_name`, l.`pay_date`
FROM `payments` l
JOIN `clients` c ON (c.`id` = l.`client_id`)
WHERE l.`client_id` != :binding_0
ORDER BY l.`pay_date` DESC
LIMIT 0, 5
我采用了结构化数组路由,因为这使我能够构建查询,同时使用反引号和绑定语句参数保持查询的刚性。我正在发表这篇文章,希望其他人能发现它和我一样有用。