学生报名参加相同的课程

时间:2016-11-26 17:39:56

标签: sql oracle

Student_table

std_name    course_enrolled
S1           C1
S1           C2
S2           C1
S3           C4
S4           C1
S4           C2
S5           C1

我想选择已注册参加同一课程的学生,如S1和S4注册的C1& C2,S2& S5注册的C1 ...就像那样。这只是一张桌子的狙击,实际的桌子将包含更多数据。 请给我相同的SQL查询。

2 个答案:

答案 0 :(得分:1)

create table student_enrolled( student varchar2(20),course  varchar2(20) );

insert into student_enrolled values('S1',           'C1');
insert into student_enrolled values('S1',           'C2');
insert into student_enrolled values('S2',           'C1');
insert into student_enrolled values('S3',           'C4');
insert into student_enrolled values('S4',           'C1');
insert into student_enrolled values('S4',           'C2');
insert into student_enrolled values('S5',           'C1');

select * from student_enrolled;

STUDENT              COURSE             
-------------------- --------------------
S1                   C1                  
S1                   C2                  
S2                   C1                  
S3                   C4                  
S4                   C1                  
S4                   C2                  
S5                   C1     



select s1.student , s2.student, s1.course as common_course
from student_enrolled s1 join student_enrolled s2 on (s1.course=s2.course)
where 
-- to not show student with himself
s1.student<>s2.student and
not exists (
  -- all courses enrolled by s2 not enrolled by s1
  select 1 from student_enrolled s3 where s3.student=s2.student and not exists (select 1 from student_enrolled s4 where s4.student=s1.student and s4.course=s3.course) ) 
and 
not exists (
  -- all courses enrolled by s1 not enrolled by s2 
  select 1 from student_enrolled s5 where s5.student=s1.student and not exists (select 1 from student_enrolled s6 where s6.student=s2.student and s6.course=s5.course ) ) 

order by 1,2  ;

STUDENT1             STUDENT2             COMMON_COURSE      
-------------------- -------------------- --------------------
S1                   S4                   C1                  
S1                   S4                   C2                  
S2                   S5                   C1                  
S4                   S1                   C1                  
S4                   S1                   C2                  
S5                   S2                   C1        

答案 1 :(得分:0)

使用标准SQL,您可以:

with s as (
      select s.*, count(*) over (partition by std_name) as num_courses
      from student_table s
     )
select s1.std_name, s2.std_name
from s s1 join
     s s2
     on s1.std_name < s2.std_name and
        s1.num_courses = s2.num_courses and
        s1.course_enrolled = s2.course_enrolled
group by s1.std_name, s2.std_name
having count(*) = max(s1.num_courses);

这是一个相当棘手的自我加入。但基本上它是说&#34;匹配课程的数量是学生注册的课程数量。&#34;

相关问题