我想创建一个mysql函数,它可以使用表related
中的列category
找到所有相关的祖先,然后使用所有这些祖先(子,孙子......)ID,包括它自己使用列listing_category
在category
中查找这些ID的所有实例。
类别
ID, Related
1,0
2,1
3,1
4,1
5,0
6,5
7,1
8,7
9,7
10,1
如果我选择1,那么2,3,4,7,10是它的孩子,8,9是它的孙子。
listing_category
Category
1
1
2
3
3
5
6
9
7
7
所以现在我想创建一个MySql函数,它可以计算另一个名为listing_category
的表中1,2,3,4,7,10,8,9的所有实例
create function listing_count(ID int(11)) returns int(11)
begin
declare count int(11);
set count=(select count(*) from listing_category where category=ID);
while (select id from category where related=ID) as childID and count<100 do
set count=count+listing_count(childID);
end while;
return count;
end
所以listing_count(1)
会在category
内找到所有亲属2,3,4,7,10,8,9,然后计算1,2,3,4,7,10的所有实例, 8,9内listing_category
。因此,在此示例中将返回8的计数。
可能与mysql存储过程?
答案 0 :(得分:1)
您可以使用递归存储过程执行此操作。这具有以下优点:无论祖先的深度如何,它都可以工作。儿童,孙子,曾孙等。
delimiter //
drop PROCEDURE if EXISTS listing_count //
create procedure listing_count(in parentID int(11), out thesum int(11))
begin
declare childID int(11);
declare childSum int(11);
declare finished int default 0;
declare childID_cursor cursor for select id from category where related=parentID;
declare continue handler for not found set finished = 1;
select count(*) into thesum from listing_category where category=parentID;
open childID_cursor;
get_children: LOOP
fetch childID_cursor into childID;
if finished = 1 then
LEAVE get_children;
end if;
call listing_count(childID, childSum);
set thesum = thesum + childSum;
end loop get_children;
close childID_cursor;
end
//
使用您的数据,此查询会产生预期结果(8):
SET @@SESSION.max_sp_recursion_depth=25;
call listing_count(1, @x);
select @x;
如果你真的想要一个函数,可以将一个函数包装在一个函数中(因为MySQL不会让你创建递归函数):
DELIMITER //
drop function if exists lc//
create function lc(id int(11)) RETURNS int(11)
BEGIN
declare sum int(11);
call listing_count(id, sum);
return sum;
END
//
select lc(1)
输出:
8
答案 1 :(得分:0)
如果您想要一列中的所有相关类别,则需要UNION来自l1(仅一行),l2和l3的所有ID。
SELECT l1.* FROM category l1
WHERE l1.id = ID
UNION ALL
SELECT l2.* FROM category l1
INNER JOIN category l2 ON l1.related = l2.id
WHERE l1.id = ID
UNION ALL
SELECT l3.* FROM category l1
INNER JOIN category l2 ON l1.related = l2.id
INNER JOIN category l3 ON l2.related = l3.id
WHERE l1.id = ID
获得所有身份证后,您可以获得计数:
这是一个将为您计算记录的查询:
SELECT COUNT(*) FROM listing_category
WHERE category IN (
SELECT l1.* FROM category l1
WHERE l1.id = ID
UNION ALL
SELECT l2.* FROM category l1
INNER JOIN category l2 ON l1.related = l2.id
WHERE l1.id = ID
UNION ALL
SELECT l3.* FROM category l1
INNER JOIN category l2 ON l1.related = l2.id
INNER JOIN category l3 ON l2.related = l3.id
WHERE l1.id = ID)