Mehroz Irshad
Mehroz Irshad

Reputation: 307

Having With Sub query MySql

I want to select which model car is involved in most accidents. i am using the following query but i get a syntax error. please someone tell me whats wrong..

    select car.Model 
    from car 
    join car_accident_involved 
       on car.Car_Registration_ID = car_accident_involved.Car_Registration_ID 
    group by car.Model 
    having MAX(
       select COUNT(Car_Registration_ID) 
       from car_accident_involved
    );

Upvotes: 0

Views: 166

Answers (2)

jvb
jvb

Reputation: 61

HAVING is a condition statement for GROUP BY. Your query hasn't any condition in
HAVING statement,so error arises. A for me, there is no need in subquery. Try more simple query like:

SELECT c.model,COUNT(a.car_registration_id) AS Num_of_accidents FROM car c   
INNER JOIN car_accident_involved a ON c.car_registration_id=a.car_registration_id  
GROUP BY c.model ORDER BY Num_of_accidents DESC LIMIT 1;

Upvotes: 1

Darshan Mehta
Darshan Mehta

Reputation: 30849

You can use a simple sub query here, e.g:

select model from car
where car_registration_id = 
 (select car_registration_id
  from car_accident_involved
  group by model 
  order by count(car_registration_id) desc
  limit 1);

Upvotes: 1

Related Questions