Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add support for Polls Widget on ZT. #1551

Open
wants to merge 5 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions docs/hotkeys.md
Original file line number Diff line number Diff line change
Expand Up @@ -136,4 +136,5 @@
|View current message in browser|<kbd>v</kbd>|
|Show/hide full rendered message|<kbd>f</kbd>|
|Show/hide full raw message|<kbd>r</kbd>|
|Show/hide poll voter list|<kbd>M</kbd>|

5 changes: 5 additions & 0 deletions zulipterminal/config/keys.py
Original file line number Diff line number Diff line change
Expand Up @@ -457,6 +457,11 @@ class KeyBinding(TypedDict):
'help_text': 'Show/hide full raw message',
'key_category': 'msg_info',
},
'SHOW_POLL_VOTES': {
'keys': ['M'],
'help_text': 'Show/hide poll voter list',
'key_category': 'msg_info',
},
'NEW_HINT': {
'keys': ['tab'],
'help_text': 'New footer hotkey hint',
Expand Down
29 changes: 29 additions & 0 deletions zulipterminal/core.py
Original file line number Diff line number Diff line change
Expand Up @@ -43,6 +43,7 @@
MarkdownHelpView,
MsgInfoView,
NoticeView,
PollResultsView,
PopUpConfirmationView,
StreamInfoView,
StreamMembersView,
Expand Down Expand Up @@ -281,6 +282,34 @@ def show_msg_info(
)
self.show_pop_up(msg_info_view, "area:msg")

def show_poll_vote(
self,
poll_question: str,
options: Dict[str, Dict[str, Any]],
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Assuming this is poll_options, this type is different again?

) -> None:
options_with_names = {}
for option_key, option_data in options.items():
option_text = option_data["option"]
voter_ids = option_data["votes"]

voter_names = []
for voter_id in voter_ids:
voter_names.append(self.model.user_name_from_id(voter_id))

options_with_names[option_key] = {
"option": option_text,
"votes": voter_names if voter_names else [],
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Nit: Is this conditional necessary?

}

self.show_pop_up(
PollResultsView(
self,
poll_question,
options_with_names,
),
"area:msg",
)

def show_emoji_picker(self, message: Message) -> None:
all_emoji_units = [
(emoji_name, emoji["code"], emoji["aliases"])
Expand Down
23 changes: 13 additions & 10 deletions zulipterminal/ui_tools/messages.py
Original file line number Diff line number Diff line change
Expand Up @@ -69,6 +69,7 @@ def __init__(self, message: Message, model: "Model", last_message: Any) -> None:
self.topic_links: Dict[str, Tuple[str, int, bool]] = dict()
self.time_mentions: List[Tuple[str, str]] = list()
self.last_message = last_message
self.widget_type: str = ""
# if this is the first message
if self.last_message is None:
self.last_message = defaultdict(dict)
Expand Down Expand Up @@ -733,9 +734,9 @@ def main_view(self) -> List[Any]:
)

if self.message.get("submessages"):
widget_type = find_widget_type(self.message.get("submessages", []))
self.widget_type = find_widget_type(self.message.get("submessages", []))

if widget_type == "todo":
if self.widget_type == "todo":
title, tasks = process_todo_widget(self.message.get("submessages", []))

todo_widget = "<strong>To-do</strong>\n" + f"<strong>{title}</strong>"
Expand All @@ -757,28 +758,28 @@ def main_view(self) -> List[Any]:
# though it's not very useful.
self.message["content"] = todo_widget

elif widget_type == "poll":
poll_question, poll_options = process_poll_widget(
elif self.widget_type == "poll":
self.poll_question, self.poll_options = process_poll_widget(
self.message.get("submessages", [])
)

# TODO: ZT doesn't yet support adding poll questions after the
# creation of the poll. So, if the poll question is not provided,
# we show a message to add one via the web app.
if not poll_question:
poll_question = (
if not self.poll_question:
self.poll_question = (
"No poll question is provided. Please add one via the web app."
)

poll_widget = f"<strong>Poll\n{poll_question}</strong>"
poll_widget = f"<strong>Poll\n{self.poll_question}</strong>"

if poll_options:
if self.poll_options:
max_votes_len = max(
len(str(len(option["votes"])))
for option in poll_options.values()
for option in self.poll_options.values()
)

for option_info in poll_options.values():
for option_info in self.poll_options.values():
padded_votes = f"{len(option_info['votes']):>{max_votes_len}}"
poll_widget += f"\n[ {padded_votes} ] {option_info['option']}"
else:
Expand Down Expand Up @@ -1188,4 +1189,6 @@ def keypress(self, size: urwid_Size, key: str) -> Optional[str]:
self.model.controller.show_emoji_picker(self.message)
elif is_command_key("MSG_SENDER_INFO", key):
self.model.controller.show_msg_sender_info(self.message["sender_id"])
elif is_command_key("SHOW_POLL_VOTES", key) and self.widget_type == "poll":
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

For no options, the popup operates but shows no data - maybe we should just skip the popup if there is no extra data to show?

self.model.controller.show_poll_vote(self.poll_question, self.poll_options)
return key
35 changes: 35 additions & 0 deletions zulipterminal/ui_tools/views.py
Original file line number Diff line number Diff line change
Expand Up @@ -23,6 +23,7 @@
from zulipterminal.config.symbols import (
CHECK_MARK,
COLUMN_TITLE_BAR_LINE,
INVALID_MARKER,
PINNED_STREAMS_DIVIDER,
SECTION_DIVIDER_LINE,
)
Expand Down Expand Up @@ -2176,3 +2177,37 @@ def keypress(self, size: urwid_Size, key: str) -> str:
self.controller.exit_popup()
return key
return super().keypress(size, key)


class PollResultsView(PopUpView):
def __init__(
self,
controller: Any,
poll_question: str,
poll_options: Dict[str, Dict[str, Any]],
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This type seems inaccurate? This is one benefit of defining more complex data types that you're passing around, even if via typeddicts, since you can refer to them as a name and update them in one place.

) -> None:
poll_results_content: List[Tuple[str, List[Tuple[str, str]]]] = [("", [])]

for option_key, option_data in poll_options.items():
option_text = option_data["option"]
if len(option_text) >= 13:
option_text = option_text[:10] + "…"
Comment on lines +2193 to +2194
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

We definitely need a cut-off length, since otherwise this causes problems :) However, this length seems rather small? For example, even something like 'None of the above' doesn't fit, or 'long long long'?

  • User names can be up to 100 characters, so that doesn't help with calculating this if we're aiming to work down to ~80x24 size. I'm sure we could try something like 30 at least, or was there as reason you picked these values?
  • In any case, please hoist these into a constant and use it consistently in the calculation
  • Is there a reason you have 13 vs 10?

voter_names = option_data["votes"]

voters_display = (
"\n".join(map(str, voter_names))
if voter_names
else f"{INVALID_MARKER} No votes yet"
)

poll_results_content[0][1].append((option_text, voters_display))

popup_width, column_widths = self.calculate_table_widths(
poll_results_content, len(poll_question)
)

widgets = self.make_table_with_categories(poll_results_content, column_widths)

super().__init__(
controller, widgets, "SHOW_POLL_VOTES", popup_width, poll_question
)
Loading