SELECT then immediately DELETE mysql record

旧城冷巷雨未停 提交于 2019-12-04 02:59:21

问题


I have a PHP script that runs a SELECT query then immediately deletes the record. There are multiple machines that are pinging the same php file and fetching data from the same table. Each remote machine is running on a cron job.

My problem is that sometimes it is unable to delete fast enough since some of the machines ping at the exact same time.

My question is, how can I SELECT a record from a database and have it deleted before the next machine grabs it. For right now I just added a short delay but it's not working very well. I tried using a transaction, but I don't think it applies here.

Here is an example snippet of my script:

<?php

$query = "SELECT * FROM `queue` LIMIT 1";
$result = mysql_query($query) or die(mysql_error());

while($row = mysql_fetch_array($result)){
    $email = $row['email'];
    $campaign_id = $row['campaign'];
}

$queryx = "DELETE FROM `queue` WHERE `email` = '".$email."'";
$resultx = mysql_query($queryx) or die(mysql_error());

?>

Really appreciate the help.


回答1:


Put your delete queries inside the while loop, just incase you ever want to increase the limit from your select.

<?php
$query = mysql_query("SELECT * FROM `queue` LIMIT 1") or die(mysql_error());

while($row = mysql_fetch_array($query)){
    mysql_query("DELETE FROM `queue` WHERE `email` = '" . $row['email'] . "' LIMIT 1") or die(mysql_error());
}
?>

The above code would be just the same as running:

mysql_query("DELETE FROM `queue` LIMIT 1") or die(mysql_error());

Be careful using your delete query, if the email field is blank, it will delete all rows that have a blank email. Add LIMIT 1 to your delete query to avoid multiple rows being deleted.

To add a random delay, you could add a sleep to the top of the script,

eg:

<?php
$seconds = mt_rand(1,10);
sleep($seconds);
?>



回答2:


well I would use table locks read more here

Locking is safe and applies to one client session. A table lock protects only against inappropriate reads or writes by other sessions.




回答3:


If you're using MariaDB 10:

DELETE FROM `queue` LIMIT 1 RETURNING *

Documentation.




回答4:


You should use subquery as follows...

<?php

$queryx = "DELETE FROM `queue` WHERE `email` IN (SELECT email FROM `queue` LIMIT 1)";
$resultx = mysql_query($queryx) or die(mysql_error());

?>

*Note: Always select only the fields you want... try to avoid select *... this will slow down the performance




回答5:


run an update query that will change the key before you do your select. Do the select by this new key, whicj is known only in the same session.
If the table is innoDB the record is locked, and when it will be released, the other selects won't find the record.



来源:https://stackoverflow.com/questions/9137750/select-then-immediately-delete-mysql-record

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!