Reputation: 7493
I want to subtract between two date time values using SQL in MySQL such that I get the interval in minutes or seconds. Any ideas? I want to run a SQL query that retrieves uses from a database who have logged in like 10 minutes from the time.
Upvotes: 65
Views: 105257
Reputation: 26190
There are functions TIMEDIFF(expr1,expr2)
, which returns the value of expr1-expr2
, and TIME_TO_SEC(expr3)
, which expresses expr3
in seconds.
Note that expr1
and expr2
are datetime values, and expr3
is a time value only.
Check this link for more info.
Upvotes: 83
Reputation:
SELECT TIMESTAMPDIFF(MINUTE,LogOutTime,LogInTime) AS TimeLoggedIn
FROM LogTable
This example shall ruin the time if its used by using millitary time. So for calculating millitairy time I do not recommend it Because it outputs negative values.
Upvotes: 1
Reputation: 60458
TIMESTAMPDIFF is like TIMEDIFF which Matthew states, except it returns the difference of the two datetimes in whatever units you desire (seconds, minutes, hours, etc).
For example,
SELECT TIMESTAMPDIFF(MINUTE,LogOutTime,LogInTime) AS TimeLoggedIn
FROM LogTable
Would return the number of minutes the user was logged in (assuming you stored this kind of thing in a table like that).
Upvotes: 81
Reputation: 58379
I would do it like this - fetch where last activity is within 10 mins of now
SELECT * FROM table WHERE last_activity >= DATE_SUB(NOW(), INTERVAL 10 MINUTE)
Upvotes: 15
Reputation: 88
You can try and cast them to Unix Time stamp, and take the difference.
Upvotes: -1