Select 来自 tarantool 使用多个条件
Select from tarantool using multiple conditions
我如何使用一个 space 中的两个或多个字段同时创建一个带有条件的 select?
我没有在文档中找到示例。
有两种方法可以做到这一点:使用 SQL 或使用 lower-level lua API.
第一个要求您设置 space 格式(参见 here)。它看起来像这样:
box.space.myusers:format({{name='id',type='number'},
{name='first_name',type='string'},
{name='last_name',type='string'}})
这是 SQL 计算列名所必需的。然后可以这样查询:
box.execute([[SELECT "id" FROM "myusers" WHERE "first_name"='John' AND "last_name"='Doe';]])
从同一个 space 到 select 的另一种方法是:
user_ids = {}
for_,user in box.space.myusers.index.first_name:pairs("John") do
if user.last_name == "Doe" then
table.insert(user_ids, user.id)
end
end
有关 low-level space API.
的更多详细信息,请查看 here
或者您可以编写自定义“过滤器”函数,而不是在“如果”下编写其他条件。并按以下方式使用它:
例如,您有以下架构:
space = box.schema.space.create('test')
space:create_index('primary')
space:replace{1, 'Odd'}
space:replace{2, 'Even'}
space:replace{3, 'Odd'}
-- Print
-- [1, 'Odd']
-- [2, 'Even']
-- [3, 'Odd']
--
for _, tuple in space:pairs() do
print(tuple)
end
-- If you want to select tuples with second "Odd" field
-- define
function is_odd(tuple)
return tuple[2] == 'Odd' -- could be more complex condition
end
-- And then
-- it will print
-- [1, 'Odd']
-- [3, 'Odd']
--
for _, tuple in space:pairs():filter(is_odd) do
print(tuple)
end
我如何使用一个 space 中的两个或多个字段同时创建一个带有条件的 select? 我没有在文档中找到示例。
有两种方法可以做到这一点:使用 SQL 或使用 lower-level lua API.
第一个要求您设置 space 格式(参见 here)。它看起来像这样:
box.space.myusers:format({{name='id',type='number'},
{name='first_name',type='string'},
{name='last_name',type='string'}})
这是 SQL 计算列名所必需的。然后可以这样查询:
box.execute([[SELECT "id" FROM "myusers" WHERE "first_name"='John' AND "last_name"='Doe';]])
从同一个 space 到 select 的另一种方法是:
user_ids = {}
for_,user in box.space.myusers.index.first_name:pairs("John") do
if user.last_name == "Doe" then
table.insert(user_ids, user.id)
end
end
有关 low-level space API.
的更多详细信息,请查看 here或者您可以编写自定义“过滤器”函数,而不是在“如果”下编写其他条件。并按以下方式使用它:
例如,您有以下架构:
space = box.schema.space.create('test')
space:create_index('primary')
space:replace{1, 'Odd'}
space:replace{2, 'Even'}
space:replace{3, 'Odd'}
-- Print
-- [1, 'Odd']
-- [2, 'Even']
-- [3, 'Odd']
--
for _, tuple in space:pairs() do
print(tuple)
end
-- If you want to select tuples with second "Odd" field
-- define
function is_odd(tuple)
return tuple[2] == 'Odd' -- could be more complex condition
end
-- And then
-- it will print
-- [1, 'Odd']
-- [3, 'Odd']
--
for _, tuple in space:pairs():filter(is_odd) do
print(tuple)
end