MySQL加入澄清

时间:2014-03-06 20:31:31

标签: mysql

我是MySQL和PHP的新手,我来自OO背景,并试图围绕SQL查询包围我有点令人沮丧。现在,我试图在给定用户ID和类别的情况下在同一个表中找到所有匹配的ID。

以下是我试图回答的问题:鉴于用户A和类别X,其他用户在X类中与用户A具有相同的兴趣以及这些兴趣是什么?

这是我到目前为止的代码:

CREATE TEMPORARY TABLE IF NOT EXISTS t_int_map AS (
SELECT intmap.fb_id, intmap.interest_id
FROM interest_map AS intmap
INNER JOIN interests AS i ON intmap.interest_id =  i.id
WHERE intmap.fb_id = <ID of User A> AND i.category = '<Category User A selects');

SELECT im.fb_id, im.interest_id, i.name
FROM interest_map AS im
INNER JOIN interests AS i ON im.interest_id = i.id
INNER JOIN t_int_map AS t_ 
WHERE t_.interest_id = im.interest_id

这给了我一个结果集,其中所有用户A在X类下的兴趣以及在该类别下具有匹配兴趣的其他用户。我想放弃所有与其他用户不共享的兴趣。 IE:如果用户A在X类下拥有10个权益,并且与用户B共享2个权益,并且用户C共享1个,我希望只看到包含共享兴趣的行(因此总共会有6行,3对于用户A,2表示B,1表示C)。

最佳做法是创建这样的临时表还是有更好的方法来实现它?我宁愿不创建一个临时表,但我无法获得一个子选择查询来处理子选择返回超过1行。非常感谢任何和所有的建议,谢谢!

1 个答案:

答案 0 :(得分:1)

我认为你不需要使用临时表。您可以使用单个select语句。下面的查询获取指定类别的所有interest_map和兴趣记录,并使用EXISTS将结果限制为指定用户的兴趣。

请参阅:http://dev.mysql.com/doc/refman/5.6/en/exists-and-not-exists-subqueries.html

 DROP TABLE IF EXISTS interest_map;

 DROP TABLE IF EXISTS interests;



 CREATE TABLE interests 
 (
     interest_id INT NOT NULL PRIMARY KEY
     , category VARCHAR(25) NOT NULL
     , description VARCHAR(50) NOT NULL
 );

 CREATE TABLE interest_map 
 (
     fb_id VARCHAR(10) NOT NULL
     , interest_id INT NOT NULL 
     , CONSTRAINT FOREIGN KEY ( interest_id ) REFERENCES interests ( interest_id )
     , CONSTRAINT PRIMARY KEY ( fb_id , interest_id )
 );


 INSERT INTO interests ( interest_id, category, description )
 VALUES 
     ( 1, 'Programming', 'Java' )
     ,( 2, 'Programming', 'PHP' )
     ,( 3, 'Programming', 'C#' )
     ,( 4, 'Database', 'Oracle' )
     ,( 5, 'Database', 'MySQL' )
     ,( 6, 'Database', 'DB2' )
     ,( 7, 'Operating System', 'Linux' )
     ,( 8, 'Operating System', 'Windows' );


 INSERT INTO interest_map  ( fb_id , interest_id )
 VALUES
     ( 'User A', 1 )
     ,( 'User A', 3 )
     ,( 'User B', 1 )
     ,( 'User B', 5 )
     ,( 'User B', 2 )
     ,( 'User B', 7 )
     ,( 'User C', 1 )
     ,( 'User C', 3 )
     ,( 'User C', 4 )
     ,( 'User C', 7 );


 SET @user = 'User A';
 SET @category = 'Programming';

 SELECT 
     m.fb_id 
     , i.interest_id
     , i.description
 FROM interests AS i
     INNER JOIN  interest_map AS m
         ON ( i.interest_id = m.interest_id )
 WHERE i.category = @category  -- get interests in this category
     AND EXISTS (
             SELECT *
             FROM interest_map AS m2
             WHERE m2.fb_id = @user
                 AND m2.interest_id = m.interest_id
         )  -- the exists clause limits results to interests of the specified user
 ORDER BY m.fb_id, i.description;