Ankit Mishra
Ankit Mishra

Reputation: 41

adding columns to get total and ranking total

this my table

student_numbers

ROLL_NO NAME    CLASS   HINDI   MATHS   SCIENCE
2   amit    11  91  91  81
3   anirudh 11  88  87  81
4   akash   11  82  81  85
5   pratik  10  81  99  98
7   rekha   10  79  97  82
6   neha    10  89  91  90
8   kamal   10  66  68  69
1   ankit   11  97  98  87

i want to add last three columns and rank on that total partitioned by class

this is what i tried

select roll_no,name,class,total,
rank() over (partition by class order by total desc) as rank
from student_numbers,(select hindi+maths+science total from student_numbers)
;

but this is showing a very large table,with duplicate student name having different total .

Upvotes: 0

Views: 424

Answers (1)

sgeddes
sgeddes

Reputation: 62841

I'm not exactly sure what you are trying to accomplish -- order the highest grades by class? If so, something like this should work:

SELECT SN.Roll_No, 
   SN.Class, 
   SN2.Total, 
   RANK() OVER (PARTITION BY SN.Class ORDER BY SN2.Total DESC) as rank
FROM Student_Numbers SN
JOIN (
SELECT
   Roll_no, hindi+maths+science as Total
FROM Student_Numbers
) SN2 ON SN.Roll_No = SN2.Roll_No

Here is the SQL Fiddle.

Good luck.

Upvotes: 2

Related Questions