参考https://hasura.io/hub/project/hasura/hello-world/data-apis中提到的默认示例架构即以下两个表:
1)作者:身份证,姓名
2)文章:id、标题、内容、评级、author_id
wherearticle:author_id
与 有数组关系author:id
。
如何查询以选择至少写过一篇文章的作者?基本上,像select author where len(author.articles) > 0
参考https://hasura.io/hub/project/hasura/hello-world/data-apis中提到的默认示例架构即以下两个表:
1)作者:身份证,姓名
2)文章:id、标题、内容、评级、author_id
wherearticle:author_id
与 有数组关系author:id
。
如何查询以选择至少写过一篇文章的作者?基本上,像select author where len(author.articles) > 0
TL;博士:
目前没有length
可以在 Hasura 数据 API 语法中使用的函数。解决方法 1) 过滤保证每一行都为真的属性。喜欢id > 0
。2) 构建视图并在视图上公开 API。
选项1:
使用“始终为真”属性作为过滤器。
{
"type": "select",
"args": {
"table": "author",
"columns": [
"*"
],
"where": {
"articles": {
"id": {
"$gt": "0"
}
}
}
}
}
这读作:select all authors where ANY article has id > 0
这行得通,因为id
它是一个自动递增的 int。
选项 2:
创建一个视图,然后在其上公开数据 API。
前往 API 控制台中的 Run SQL 窗口并运行迁移:
CREATE VIEW author_article_count as (
SELECT au.*, ar.no_articles
FROM
author au,
(SELECT author_id, COUNT(*) no_articles FROM article GROUP BY author_id) ar
WHERE
au.id = ar.author_id)
确保将其标记为迁移(RunSQL 窗口下方的复选框),以便将其添加到迁移文件夹中。现在,通过点击 API 控制台架构页面上的“跟踪表”,将数据 API 添加到视图中。
现在您可以使用 no_articles 作为长度属性进行选择查询:
{
"type": "select",
"args": {
"table": "author_article_count",
"columns": [
"*"
],
"where": {
"no_articles": {
"$gt": "0"
}
}
}
}