poezio/plugins/time_marker.py

78 lines
3 KiB
Python
Raw Normal View History

2012-12-17 03:56:46 +00:00
"""
Display the time between two messages.
Helps you identify the times of a conversation. For example
2012-12-17 03:56:46 +00:00
if you disable the timestamps, and remove the join/quit notifications in a
chatroom, you cant really distinguish when a conversation stopped and when
a new one started, because you dont have a visual separation between the two.
2012-12-17 03:56:46 +00:00
This plugin displays a message in the conversation indicating the time that
passed between two messages, if the time is bigger than X minutes
(configurable, of course. Default is 15 minutes). This way you know how many time elapsed between
them, letting you understand more easily what is going on without any visual
clutter.
Configuration
-------------
You can configure the minimum delay between two messages, to display the time marker, in seconds. The default is 10 minutes (aka 600 seconds).
.. code-block:: ini
[time_marker]
delay = 600
Usage
-----
Messages like 2 hours, 25 minutes passed are automatically displayed into the converstation. You dont need to (and cant) do anything.
2012-12-17 03:56:46 +00:00
"""
from poezio.plugin import BasePlugin
2012-12-17 03:56:46 +00:00
from datetime import datetime, timedelta
from poezio.ui.types import InfoMessage
2012-12-17 03:56:46 +00:00
2018-08-15 11:13:17 +00:00
2012-12-17 03:56:46 +00:00
class Plugin(BasePlugin):
def init(self):
self.api.add_event_handler("muc_msg", self.on_muc_msg)
# Dict of MucTab.jid.bare: last_message date, so we dont have to
2012-12-17 03:56:46 +00:00
# retrieve the messages of the given muc to look for the last
# messages date each time. Also, now that I think about it, the
# date of the message is not event kept in the Message object, so…
self.last_messages = {}
def on_muc_msg(self, message, tab):
def format_timedelta(delta):
"""
Return a string of the form D days, H hours, M minutes, S
seconds. If the number of total minutes is bigger than 10, we
usually dont care anymore about the number of seconds, so we
dont display it. Same thing if the number of days is bigger
than one, we dont display the minutes either.
"""
days = delta.days
hours = delta.seconds // 3600
minutes = delta.seconds // 60 % 60
seconds = delta.seconds % 60
res = ''
if days > 0:
res = "%s days, " % days
if hours > 0:
res += "%s hours, " % hours
if days == 0 and minutes != 0:
res += "%s minutes, " % minutes
if delta.total_seconds() < 600:
res += "%s seconds, " % seconds
return res[:-2]
last_message_date = self.last_messages.get(tab.jid.bare)
self.last_messages[tab.jid.bare] = datetime.now()
2012-12-17 03:56:46 +00:00
if last_message_date:
delta = datetime.now() - last_message_date
if delta >= timedelta(0, self.config.get('delay', 900)):
2018-08-15 11:13:17 +00:00
tab.add_message(
InfoMessage("%s passed…" % (format_timedelta(delta), ))
)