views:

103

answers:

3

How can I structure a mySQL query to delete a row based on the max value.

I tried

WHERE jobPositonId = max(jobPostionId)

but got an error?

A: 

Use:

DELETE FROM TABLE t1 
       JOIN (SELECT MAX(jobPositonId) AS max_id FROM TABLE) t2 
 WHERE t1.jobPositonId  = t2.max_id

Mind that all the rows with that jobPositonId value will be removed, if there are duplicates.

The stupid part about the 1093 error is that you can get around it by placing a subquery between the self reference:

DELETE FROM TABLE
 WHERE jobPositonId = (SELECT x.id
                         FROM (SELECT MAX(t.jobPostionId) AS id 
                                 FROM TABLE t) x)

Explanation

MySQL is only checking, when using UPDATE & DELETE statements, if the there's a first level subquery to the same table that is being updated. That's why putting it in a second level (or deeper) subquery alternative works. But it's only checking subqueries - the JOIN syntax is logically equivalent, but doesn't trigger the error.

OMG Ponies
What does that error message actually mean?
Robert de Klerk
@Robert de Klerk: See update to my answer to explain the behaviour.
OMG Ponies
A: 
DELETE FROM `table_name` WHERE jobPositonId = (select max(jobPostionId) from `table_name` limit 1)

OR

DELETE FROM `table_name` WHERE jobPositonId IN (select max(jobPostionId) from `table_name` limit 1)
el_quick
MySQL error 1093 - can't specify target table for update in FROM clause
OMG Ponies
Why would you even need the LIMIT clause if you are using Max with no correlation or group by?
Thomas
Same error MySQL error 1093 - can't specify target table for update in FROM clause
Robert de Klerk
Sorry for my bad info, I didn't have time to test it, +1 for Konerak, he post the correct answer ;)
el_quick
+3  A: 
DELETE FROM table ORDER BY jobPositonId DESC LIMIT 1
Konerak