You cannot select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
4460 lines
210 KiB
Python
4460 lines
210 KiB
Python
"""
|
|
PyQt based UI for bitmessage, the main module
|
|
"""
|
|
|
|
import hashlib
|
|
import locale
|
|
import os
|
|
import random
|
|
import string
|
|
import sys
|
|
import textwrap
|
|
import time
|
|
from datetime import datetime, timedelta
|
|
from sqlite3 import register_adapter
|
|
|
|
from PyQt4 import QtCore, QtGui
|
|
from PyQt4.QtNetwork import QLocalSocket, QLocalServer
|
|
|
|
from debug import logger
|
|
from tr import _translate
|
|
from addresses import decodeAddress, addBMIfNotPresent
|
|
import shared
|
|
from bitmessageui import Ui_MainWindow
|
|
from bmconfigparser import BMConfigParser
|
|
import defaults
|
|
import namecoin
|
|
from messageview import MessageView
|
|
from migrationwizard import Ui_MigrationWizard
|
|
from foldertree import (
|
|
AccountMixin, Ui_FolderWidget, Ui_AddressWidget, Ui_SubscriptionWidget,
|
|
MessageList_AddressWidget, MessageList_SubjectWidget,
|
|
Ui_AddressBookWidgetItemLabel, Ui_AddressBookWidgetItemAddress)
|
|
from settings import Ui_settingsDialog
|
|
import settingsmixin
|
|
import support
|
|
import debug
|
|
from helper_ackPayload import genAckPayload
|
|
from helper_sql import sqlQuery, sqlExecute, sqlExecuteChunked, sqlStoredProcedure
|
|
import helper_search
|
|
import l10n
|
|
import openclpow
|
|
from utils import str_broadcast_subscribers, avatarize
|
|
from account import (
|
|
getSortedAccounts, getSortedSubscriptions, accountClass, BMAccount,
|
|
GatewayAccount, MailchuckAccount, AccountColor)
|
|
import dialogs
|
|
from helper_generic import powQueueSize
|
|
from network.stats import pendingDownload, pendingUpload
|
|
from uisignaler import UISignaler
|
|
import knownnodes
|
|
import paths
|
|
from proofofwork import getPowType
|
|
import queues
|
|
import shutdown
|
|
import state
|
|
from statusbar import BMStatusBar
|
|
from network.asyncore_pollchoose import set_rates
|
|
import sound
|
|
|
|
|
|
try:
|
|
from plugins.plugin import get_plugin, get_plugins
|
|
except ImportError:
|
|
get_plugins = False
|
|
|
|
|
|
def change_translation(newlocale):
|
|
global qmytranslator, qsystranslator
|
|
try:
|
|
if not qmytranslator.isEmpty():
|
|
QtGui.QApplication.removeTranslator(qmytranslator)
|
|
except:
|
|
pass
|
|
try:
|
|
if not qsystranslator.isEmpty():
|
|
QtGui.QApplication.removeTranslator(qsystranslator)
|
|
except:
|
|
pass
|
|
|
|
qmytranslator = QtCore.QTranslator()
|
|
translationpath = os.path.join (paths.codePath(), 'translations', 'bitmessage_' + newlocale)
|
|
qmytranslator.load(translationpath)
|
|
QtGui.QApplication.installTranslator(qmytranslator)
|
|
|
|
qsystranslator = QtCore.QTranslator()
|
|
if paths.frozen:
|
|
translationpath = os.path.join (paths.codePath(), 'translations', 'qt_' + newlocale)
|
|
else:
|
|
translationpath = os.path.join (str(QtCore.QLibraryInfo.location(QtCore.QLibraryInfo.TranslationsPath)), 'qt_' + newlocale)
|
|
qsystranslator.load(translationpath)
|
|
QtGui.QApplication.installTranslator(qsystranslator)
|
|
|
|
lang = locale.normalize(l10n.getTranslationLanguage())
|
|
langs = [lang.split(".")[0] + "." + l10n.encoding, lang.split(".")[0] + "." + 'UTF-8', lang]
|
|
if 'win32' in sys.platform or 'win64' in sys.platform:
|
|
langs = [l10n.getWindowsLocale(lang)]
|
|
for lang in langs:
|
|
try:
|
|
l10n.setlocale(locale.LC_ALL, lang)
|
|
if 'win32' not in sys.platform and 'win64' not in sys.platform:
|
|
l10n.encoding = locale.nl_langinfo(locale.CODESET)
|
|
else:
|
|
l10n.encoding = locale.getlocale()[1]
|
|
logger.info("Successfully set locale to %s", lang)
|
|
break
|
|
except:
|
|
logger.error("Failed to set locale to %s", lang, exc_info=True)
|
|
|
|
|
|
class MyForm(settingsmixin.SMainWindow):
|
|
|
|
# the last time that a message arrival sound was played
|
|
lastSoundTime = datetime.now() - timedelta(days=1)
|
|
|
|
# the maximum frequency of message sounds in seconds
|
|
maxSoundFrequencySec = 60
|
|
|
|
REPLY_TYPE_SENDER = 0
|
|
REPLY_TYPE_CHAN = 1
|
|
|
|
def init_file_menu(self):
|
|
QtCore.QObject.connect(self.ui.actionExit, QtCore.SIGNAL(
|
|
"triggered()"), self.quit)
|
|
QtCore.QObject.connect(self.ui.actionNetworkSwitch, QtCore.SIGNAL(
|
|
"triggered()"), self.network_switch)
|
|
QtCore.QObject.connect(self.ui.actionManageKeys, QtCore.SIGNAL(
|
|
"triggered()"), self.click_actionManageKeys)
|
|
QtCore.QObject.connect(self.ui.actionDeleteAllTrashedMessages,
|
|
QtCore.SIGNAL(
|
|
"triggered()"),
|
|
self.click_actionDeleteAllTrashedMessages)
|
|
QtCore.QObject.connect(self.ui.actionRegenerateDeterministicAddresses,
|
|
QtCore.SIGNAL(
|
|
"triggered()"),
|
|
self.click_actionRegenerateDeterministicAddresses)
|
|
QtCore.QObject.connect(self.ui.pushButtonAddChan, QtCore.SIGNAL(
|
|
"clicked()"),
|
|
self.click_actionJoinChan) # also used for creating chans.
|
|
QtCore.QObject.connect(self.ui.pushButtonNewAddress, QtCore.SIGNAL(
|
|
"clicked()"), self.click_NewAddressDialog)
|
|
QtCore.QObject.connect(self.ui.pushButtonAddAddressBook, QtCore.SIGNAL(
|
|
"clicked()"), self.click_pushButtonAddAddressBook)
|
|
QtCore.QObject.connect(self.ui.pushButtonAddSubscription, QtCore.SIGNAL(
|
|
"clicked()"), self.click_pushButtonAddSubscription)
|
|
QtCore.QObject.connect(self.ui.pushButtonTTL, QtCore.SIGNAL(
|
|
"clicked()"), self.click_pushButtonTTL)
|
|
QtCore.QObject.connect(self.ui.pushButtonClear, QtCore.SIGNAL(
|
|
"clicked()"), self.click_pushButtonClear)
|
|
QtCore.QObject.connect(self.ui.pushButtonSend, QtCore.SIGNAL(
|
|
"clicked()"), self.click_pushButtonSend)
|
|
QtCore.QObject.connect(self.ui.pushButtonFetchNamecoinID, QtCore.SIGNAL(
|
|
"clicked()"), self.click_pushButtonFetchNamecoinID)
|
|
QtCore.QObject.connect(self.ui.actionSettings, QtCore.SIGNAL(
|
|
"triggered()"), self.click_actionSettings)
|
|
QtCore.QObject.connect(self.ui.actionAbout, QtCore.SIGNAL(
|
|
"triggered()"), self.click_actionAbout)
|
|
QtCore.QObject.connect(self.ui.actionSupport, QtCore.SIGNAL(
|
|
"triggered()"), self.click_actionSupport)
|
|
QtCore.QObject.connect(self.ui.actionHelp, QtCore.SIGNAL(
|
|
"triggered()"), self.click_actionHelp)
|
|
|
|
def init_inbox_popup_menu(self, connectSignal=True):
|
|
# Popup menu for the Inbox tab
|
|
self.ui.inboxContextMenuToolbar = QtGui.QToolBar()
|
|
# Actions
|
|
self.actionReply = self.ui.inboxContextMenuToolbar.addAction(_translate(
|
|
"MainWindow", "Reply to sender"), self.on_action_InboxReply)
|
|
self.actionReplyChan = self.ui.inboxContextMenuToolbar.addAction(_translate(
|
|
"MainWindow", "Reply to channel"), self.on_action_InboxReplyChan)
|
|
self.actionAddSenderToAddressBook = self.ui.inboxContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Add sender to your Address Book"),
|
|
self.on_action_InboxAddSenderToAddressBook)
|
|
self.actionAddSenderToBlackList = self.ui.inboxContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Add sender to your Blacklist"),
|
|
self.on_action_InboxAddSenderToBlackList)
|
|
self.actionTrashInboxMessage = self.ui.inboxContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Move to Trash"),
|
|
self.on_action_InboxTrash)
|
|
self.actionUndeleteTrashedMessage = self.ui.inboxContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Undelete"),
|
|
self.on_action_TrashUndelete)
|
|
self.actionForceHtml = self.ui.inboxContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "View HTML code as formatted text"),
|
|
self.on_action_InboxMessageForceHtml)
|
|
self.actionSaveMessageAs = self.ui.inboxContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Save message as..."),
|
|
self.on_action_InboxSaveMessageAs)
|
|
self.actionMarkUnread = self.ui.inboxContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Mark Unread"), self.on_action_InboxMarkUnread)
|
|
|
|
# contextmenu messagelists
|
|
self.ui.tableWidgetInbox.setContextMenuPolicy(
|
|
QtCore.Qt.CustomContextMenu)
|
|
if connectSignal:
|
|
self.connect(self.ui.tableWidgetInbox, QtCore.SIGNAL(
|
|
'customContextMenuRequested(const QPoint&)'),
|
|
self.on_context_menuInbox)
|
|
self.ui.tableWidgetInboxSubscriptions.setContextMenuPolicy(
|
|
QtCore.Qt.CustomContextMenu)
|
|
if connectSignal:
|
|
self.connect(self.ui.tableWidgetInboxSubscriptions, QtCore.SIGNAL(
|
|
'customContextMenuRequested(const QPoint&)'),
|
|
self.on_context_menuInbox)
|
|
self.ui.tableWidgetInboxChans.setContextMenuPolicy(
|
|
QtCore.Qt.CustomContextMenu)
|
|
if connectSignal:
|
|
self.connect(self.ui.tableWidgetInboxChans, QtCore.SIGNAL(
|
|
'customContextMenuRequested(const QPoint&)'),
|
|
self.on_context_menuInbox)
|
|
|
|
def init_identities_popup_menu(self, connectSignal=True):
|
|
# Popup menu for the Your Identities tab
|
|
self.ui.addressContextMenuToolbarYourIdentities = QtGui.QToolBar()
|
|
# Actions
|
|
self.actionNewYourIdentities = self.ui.addressContextMenuToolbarYourIdentities.addAction(_translate(
|
|
"MainWindow", "New"), self.on_action_YourIdentitiesNew)
|
|
self.actionEnableYourIdentities = self.ui.addressContextMenuToolbarYourIdentities.addAction(
|
|
_translate(
|
|
"MainWindow", "Enable"), self.on_action_Enable)
|
|
self.actionDisableYourIdentities = self.ui.addressContextMenuToolbarYourIdentities.addAction(
|
|
_translate(
|
|
"MainWindow", "Disable"), self.on_action_Disable)
|
|
self.actionSetAvatarYourIdentities = self.ui.addressContextMenuToolbarYourIdentities.addAction(
|
|
_translate(
|
|
"MainWindow", "Set avatar..."),
|
|
self.on_action_TreeWidgetSetAvatar)
|
|
self.actionClipboardYourIdentities = self.ui.addressContextMenuToolbarYourIdentities.addAction(
|
|
_translate(
|
|
"MainWindow", "Copy address to clipboard"),
|
|
self.on_action_Clipboard)
|
|
self.actionSpecialAddressBehaviorYourIdentities = self.ui.addressContextMenuToolbarYourIdentities.addAction(
|
|
_translate(
|
|
"MainWindow", "Special address behavior..."),
|
|
self.on_action_SpecialAddressBehaviorDialog)
|
|
self.actionEmailGateway = self.ui.addressContextMenuToolbarYourIdentities.addAction(
|
|
_translate(
|
|
"MainWindow", "Email gateway"),
|
|
self.on_action_EmailGatewayDialog)
|
|
self.actionMarkAllRead = self.ui.addressContextMenuToolbarYourIdentities.addAction(
|
|
_translate(
|
|
"MainWindow", "Mark all messages as read"),
|
|
self.on_action_MarkAllRead)
|
|
|
|
self.ui.treeWidgetYourIdentities.setContextMenuPolicy(
|
|
QtCore.Qt.CustomContextMenu)
|
|
if connectSignal:
|
|
self.connect(self.ui.treeWidgetYourIdentities, QtCore.SIGNAL(
|
|
'customContextMenuRequested(const QPoint&)'),
|
|
self.on_context_menuYourIdentities)
|
|
|
|
# load all gui.menu plugins with prefix 'address'
|
|
self.menu_plugins = {'address': []}
|
|
if not get_plugins:
|
|
return
|
|
for plugin in get_plugins('gui.menu', 'address'):
|
|
try:
|
|
handler, title = plugin(self)
|
|
except TypeError:
|
|
continue
|
|
self.menu_plugins['address'].append(
|
|
self.ui.addressContextMenuToolbarYourIdentities.addAction(
|
|
title, handler
|
|
))
|
|
|
|
def init_chan_popup_menu(self, connectSignal=True):
|
|
# Popup menu for the Channels tab
|
|
self.ui.addressContextMenuToolbar = QtGui.QToolBar()
|
|
# Actions
|
|
self.actionNew = self.ui.addressContextMenuToolbar.addAction(_translate(
|
|
"MainWindow", "New"), self.on_action_YourIdentitiesNew)
|
|
self.actionDelete = self.ui.addressContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Delete"),
|
|
self.on_action_YourIdentitiesDelete)
|
|
self.actionEnable = self.ui.addressContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Enable"), self.on_action_Enable)
|
|
self.actionDisable = self.ui.addressContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Disable"), self.on_action_Disable)
|
|
self.actionSetAvatar = self.ui.addressContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Set avatar..."),
|
|
self.on_action_TreeWidgetSetAvatar)
|
|
self.actionClipboard = self.ui.addressContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Copy address to clipboard"),
|
|
self.on_action_Clipboard)
|
|
self.actionSpecialAddressBehavior = self.ui.addressContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Special address behavior..."),
|
|
self.on_action_SpecialAddressBehaviorDialog)
|
|
|
|
self.ui.treeWidgetChans.setContextMenuPolicy(
|
|
QtCore.Qt.CustomContextMenu)
|
|
if connectSignal:
|
|
self.connect(self.ui.treeWidgetChans, QtCore.SIGNAL(
|
|
'customContextMenuRequested(const QPoint&)'),
|
|
self.on_context_menuChan)
|
|
|
|
def init_addressbook_popup_menu(self, connectSignal=True):
|
|
# Popup menu for the Address Book page
|
|
self.ui.addressBookContextMenuToolbar = QtGui.QToolBar()
|
|
# Actions
|
|
self.actionAddressBookSend = self.ui.addressBookContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Send message to this address"),
|
|
self.on_action_AddressBookSend)
|
|
self.actionAddressBookClipboard = self.ui.addressBookContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Copy address to clipboard"),
|
|
self.on_action_AddressBookClipboard)
|
|
self.actionAddressBookSubscribe = self.ui.addressBookContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Subscribe to this address"),
|
|
self.on_action_AddressBookSubscribe)
|
|
self.actionAddressBookSetAvatar = self.ui.addressBookContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Set avatar..."),
|
|
self.on_action_AddressBookSetAvatar)
|
|
self.actionAddressBookSetSound = \
|
|
self.ui.addressBookContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Set notification sound..."),
|
|
self.on_action_AddressBookSetSound)
|
|
self.actionAddressBookNew = self.ui.addressBookContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Add New Address"), self.on_action_AddressBookNew)
|
|
self.actionAddressBookDelete = self.ui.addressBookContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Delete"), self.on_action_AddressBookDelete)
|
|
self.ui.tableWidgetAddressBook.setContextMenuPolicy(
|
|
QtCore.Qt.CustomContextMenu)
|
|
if connectSignal:
|
|
self.connect(self.ui.tableWidgetAddressBook, QtCore.SIGNAL(
|
|
'customContextMenuRequested(const QPoint&)'),
|
|
self.on_context_menuAddressBook)
|
|
|
|
def init_subscriptions_popup_menu(self, connectSignal=True):
|
|
# Popup menu for the Subscriptions page
|
|
self.ui.subscriptionsContextMenuToolbar = QtGui.QToolBar()
|
|
# Actions
|
|
self.actionsubscriptionsNew = self.ui.subscriptionsContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "New"), self.on_action_SubscriptionsNew)
|
|
self.actionsubscriptionsDelete = self.ui.subscriptionsContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Delete"),
|
|
self.on_action_SubscriptionsDelete)
|
|
self.actionsubscriptionsClipboard = self.ui.subscriptionsContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Copy address to clipboard"),
|
|
self.on_action_SubscriptionsClipboard)
|
|
self.actionsubscriptionsEnable = self.ui.subscriptionsContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Enable"),
|
|
self.on_action_SubscriptionsEnable)
|
|
self.actionsubscriptionsDisable = self.ui.subscriptionsContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Disable"),
|
|
self.on_action_SubscriptionsDisable)
|
|
self.actionsubscriptionsSetAvatar = self.ui.subscriptionsContextMenuToolbar.addAction(
|
|
_translate("MainWindow", "Set avatar..."),
|
|
self.on_action_TreeWidgetSetAvatar)
|
|
self.ui.treeWidgetSubscriptions.setContextMenuPolicy(
|
|
QtCore.Qt.CustomContextMenu)
|
|
if connectSignal:
|
|
self.connect(self.ui.treeWidgetSubscriptions, QtCore.SIGNAL(
|
|
'customContextMenuRequested(const QPoint&)'),
|
|
self.on_context_menuSubscriptions)
|
|
|
|
def init_sent_popup_menu(self, connectSignal=True):
|
|
# Popup menu for the Sent page
|
|
self.ui.sentContextMenuToolbar = QtGui.QToolBar()
|
|
# Actions
|
|
self.actionTrashSentMessage = self.ui.sentContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Move to Trash"), self.on_action_SentTrash)
|
|
self.actionSentClipboard = self.ui.sentContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Copy destination address to clipboard"),
|
|
self.on_action_SentClipboard)
|
|
self.actionForceSend = self.ui.sentContextMenuToolbar.addAction(
|
|
_translate(
|
|
"MainWindow", "Force send"), self.on_action_ForceSend)
|
|
# self.popMenuSent = QtGui.QMenu( self )
|
|
# self.popMenuSent.addAction( self.actionSentClipboard )
|
|
# self.popMenuSent.addAction( self.actionTrashSentMessage )
|
|
|
|
def rerenderTabTreeSubscriptions(self):
|
|
treeWidget = self.ui.treeWidgetSubscriptions
|
|
folders = Ui_FolderWidget.folderWeight.keys()
|
|
folders.remove("new")
|
|
|
|
# sort ascending when creating
|
|
if treeWidget.topLevelItemCount() == 0:
|
|
treeWidget.header().setSortIndicator(
|
|
0, QtCore.Qt.AscendingOrder)
|
|
# init dictionary
|
|
|
|
db = getSortedSubscriptions(True)
|
|
for address in db:
|
|
for folder in folders:
|
|
if not folder in db[address]:
|
|
db[address][folder] = {}
|
|
|
|
if treeWidget.isSortingEnabled():
|
|
treeWidget.setSortingEnabled(False)
|
|
|
|
widgets = {}
|
|
i = 0
|
|
while i < treeWidget.topLevelItemCount():
|
|
widget = treeWidget.topLevelItem(i)
|
|
if widget is not None:
|
|
toAddress = widget.address
|
|
else:
|
|
toAddress = None
|
|
|
|
if not toAddress in db:
|
|
treeWidget.takeTopLevelItem(i)
|
|
# no increment
|
|
continue
|
|
unread = 0
|
|
j = 0
|
|
while j < widget.childCount():
|
|
subwidget = widget.child(j)
|
|
try:
|
|
subwidget.setUnreadCount(db[toAddress][subwidget.folderName]['count'])
|
|
unread += db[toAddress][subwidget.folderName]['count']
|
|
db[toAddress].pop(subwidget.folderName, None)
|
|
except:
|
|
widget.takeChild(j)
|
|
# no increment
|
|
continue
|
|
j += 1
|
|
|
|
# add missing folders
|
|
if len(db[toAddress]) > 0:
|
|
j = 0
|
|
for f, c in db[toAddress].iteritems():
|
|
try:
|
|
subwidget = Ui_FolderWidget(widget, j, toAddress, f, c['count'])
|
|
except KeyError:
|
|
subwidget = Ui_FolderWidget(widget, j, toAddress, f, 0)
|
|
j += 1
|
|
widget.setUnreadCount(unread)
|
|
db.pop(toAddress, None)
|
|
i += 1
|
|
|
|
i = 0
|
|
for toAddress in db:
|
|
widget = Ui_SubscriptionWidget(treeWidget, i, toAddress, db[toAddress]["inbox"]['count'], db[toAddress]["inbox"]['label'], db[toAddress]["inbox"]['enabled'])
|
|
j = 0
|
|
unread = 0
|
|
for folder in folders:
|
|
try:
|
|
subwidget = Ui_FolderWidget(widget, j, toAddress, folder, db[toAddress][folder]['count'])
|
|
unread += db[toAddress][folder]['count']
|
|
except KeyError:
|
|
subwidget = Ui_FolderWidget(widget, j, toAddress, folder, 0)
|
|
j += 1
|
|
widget.setUnreadCount(unread)
|
|
i += 1
|
|
|
|
treeWidget.setSortingEnabled(True)
|
|
|
|
|
|
def rerenderTabTreeMessages(self):
|
|
self.rerenderTabTree('messages')
|
|
|
|
def rerenderTabTreeChans(self):
|
|
self.rerenderTabTree('chan')
|
|
|
|
def rerenderTabTree(self, tab):
|
|
if tab == 'messages':
|
|
treeWidget = self.ui.treeWidgetYourIdentities
|
|
elif tab == 'chan':
|
|
treeWidget = self.ui.treeWidgetChans
|
|
folders = Ui_FolderWidget.folderWeight.keys()
|
|
|
|
# sort ascending when creating
|
|
if treeWidget.topLevelItemCount() == 0:
|
|
treeWidget.header().setSortIndicator(
|
|
0, QtCore.Qt.AscendingOrder)
|
|
# init dictionary
|
|
db = {}
|
|
enabled = {}
|
|
|
|
for toAddress in getSortedAccounts():
|
|
isEnabled = BMConfigParser().getboolean(
|
|
toAddress, 'enabled')
|
|
isChan = BMConfigParser().safeGetBoolean(
|
|
toAddress, 'chan')
|
|
isMaillinglist = BMConfigParser().safeGetBoolean(
|
|
toAddress, 'mailinglist')
|
|
|
|
if treeWidget == self.ui.treeWidgetYourIdentities:
|
|
if isChan:
|
|
continue
|
|
elif treeWidget == self.ui.treeWidgetChans:
|
|
if not isChan:
|
|
continue
|
|
|
|
db[toAddress] = {}
|
|
for folder in folders:
|
|
db[toAddress][folder] = 0
|
|
|
|
enabled[toAddress] = isEnabled
|
|
|
|
# get number of (unread) messages
|
|
total = 0
|
|
queryreturn = sqlQuery('SELECT toaddress, folder, count(msgid) as cnt FROM inbox WHERE read = 0 GROUP BY toaddress, folder')
|
|
for row in queryreturn:
|
|
toaddress, folder, cnt = row
|
|
total += cnt
|
|
if toaddress in db and folder in db[toaddress]:
|
|
db[toaddress][folder] = cnt
|
|
if treeWidget == self.ui.treeWidgetYourIdentities:
|
|
db[None] = {}
|
|
db[None]["inbox"] = total
|
|
db[None]["new"] = total
|
|
db[None]["sent"] = 0
|
|
db[None]["trash"] = 0
|
|
enabled[None] = True
|
|
|
|
if treeWidget.isSortingEnabled():
|
|
treeWidget.setSortingEnabled(False)
|
|
|
|
widgets = {}
|
|
i = 0
|
|
while i < treeWidget.topLevelItemCount():
|
|
widget = treeWidget.topLevelItem(i)
|
|
if widget is not None:
|
|
toAddress = widget.address
|
|
else:
|
|
toAddress = None
|
|
|
|
if not toAddress in db:
|
|
treeWidget.takeTopLevelItem(i)
|
|
# no increment
|
|
continue
|
|
unread = 0
|
|
j = 0
|
|
while j < widget.childCount():
|
|
subwidget = widget.child(j)
|
|
try:
|
|
subwidget.setUnreadCount(db[toAddress][subwidget.folderName])
|
|
if subwidget.folderName not in ["new", "trash", "sent"]:
|
|
unread += db[toAddress][subwidget.folderName]
|
|
db[toAddress].pop(subwidget.folderName, None)
|
|
except:
|
|
widget.takeChild(j)
|
|
# no increment
|
|
continue
|
|
j += 1
|
|
|
|
# add missing folders
|
|
if len(db[toAddress]) > 0:
|
|
j = 0
|
|
for f, c in db[toAddress].iteritems():
|
|
if toAddress is not None and tab == 'messages' and folder == "new":
|
|
continue
|
|
subwidget = Ui_FolderWidget(widget, j, toAddress, f, c)
|
|
if subwidget.folderName not in ["new", "trash", "sent"]:
|
|
unread += c
|
|
j += 1
|
|
widget.setUnreadCount(unread)
|
|
db.pop(toAddress, None)
|
|
i += 1
|
|
|
|
i = 0
|
|
for toAddress in db:
|
|
widget = Ui_AddressWidget(treeWidget, i, toAddress, db[toAddress]["inbox"], enabled[toAddress])
|
|
j = 0
|
|
unread = 0
|
|
for folder in folders:
|
|
if toAddress is not None and tab == 'messages' and folder == "new":
|
|
continue
|
|
subwidget = Ui_FolderWidget(widget, j, toAddress, folder, db[toAddress][folder])
|
|
if subwidget.folderName not in ["new", "trash", "sent"]:
|
|
unread += db[toAddress][folder]
|
|
j += 1
|
|
widget.setUnreadCount(unread)
|
|
i += 1
|
|
|
|
treeWidget.setSortingEnabled(True)
|
|
|
|
def __init__(self, parent=None):
|
|
QtGui.QWidget.__init__(self, parent)
|
|
self.ui = Ui_MainWindow()
|
|
self.ui.setupUi(self)
|
|
|
|
# Ask the user if we may delete their old version 1 addresses if they
|
|
# have any.
|
|
for addressInKeysFile in getSortedAccounts():
|
|
status, addressVersionNumber, streamNumber, hash = decodeAddress(
|
|
addressInKeysFile)
|
|
if addressVersionNumber == 1:
|
|
displayMsg = _translate(
|
|
"MainWindow", "One of your addresses, %1, is an old version 1 address. Version 1 addresses are no longer supported. "
|
|
+ "May we delete it now?").arg(addressInKeysFile)
|
|
reply = QtGui.QMessageBox.question(
|
|
self, 'Message', displayMsg, QtGui.QMessageBox.Yes, QtGui.QMessageBox.No)
|
|
if reply == QtGui.QMessageBox.Yes:
|
|
BMConfigParser().remove_section(addressInKeysFile)
|
|
BMConfigParser().save()
|
|
|
|
# Configure Bitmessage to start on startup (or remove the
|
|
# configuration) based on the setting in the keys.dat file
|
|
if 'win32' in sys.platform or 'win64' in sys.platform:
|
|
# Auto-startup for Windows
|
|
RUN_PATH = "HKEY_CURRENT_USER\\Software\\Microsoft\\Windows\\CurrentVersion\\Run"
|
|
self.settings = QtCore.QSettings(RUN_PATH, QtCore.QSettings.NativeFormat)
|
|
self.settings.remove(
|
|
"PyBitmessage") # In case the user moves the program and the registry entry is no longer valid, this will delete the old registry entry.
|
|
if BMConfigParser().getboolean('bitmessagesettings', 'startonlogon'):
|
|
self.settings.setValue("PyBitmessage", sys.argv[0])
|
|
elif 'darwin' in sys.platform:
|
|
# startup for mac
|
|
pass
|
|
elif 'linux' in sys.platform:
|
|
# startup for linux
|
|
pass
|
|
|
|
# e.g. for editing labels
|
|
self.recurDepth = 0
|
|
|
|
# switch back to this when replying
|
|
self.replyFromTab = None
|
|
|
|
# so that quit won't loop
|
|
self.quitAccepted = False
|
|
|
|
self.init_file_menu()
|
|
self.init_inbox_popup_menu()
|
|
self.init_identities_popup_menu()
|
|
self.init_addressbook_popup_menu()
|
|
self.init_subscriptions_popup_menu()
|
|
self.init_chan_popup_menu()
|
|
self.init_sent_popup_menu()
|
|
|
|
# Initialize the user's list of addresses on the 'Chan' tab.
|
|
self.rerenderTabTreeChans()
|
|
|
|
# Initialize the user's list of addresses on the 'Messages' tab.
|
|
self.rerenderTabTreeMessages()
|
|
|
|
# Set welcome message
|
|
self.ui.textEditInboxMessage.setText(_translate("MainWindow", """
|
|
Welcome to easy and secure Bitmessage
|
|
* send messages to other people
|
|
* send broadcast messages like twitter or
|
|
* discuss in chan(nel)s with other people
|
|
"""))
|
|
|
|
# Initialize the address book
|
|
self.rerenderAddressBook()
|
|
|
|
# Initialize the Subscriptions
|
|
self.rerenderSubscriptions()
|
|
|
|
# Initialize the inbox search
|
|
QtCore.QObject.connect(self.ui.inboxSearchLineEdit, QtCore.SIGNAL(
|
|
"returnPressed()"), self.inboxSearchLineEditReturnPressed)
|
|
QtCore.QObject.connect(self.ui.inboxSearchLineEditSubscriptions, QtCore.SIGNAL(
|
|
"returnPressed()"), self.inboxSearchLineEditReturnPressed)
|
|
QtCore.QObject.connect(self.ui.inboxSearchLineEditChans, QtCore.SIGNAL(
|
|
"returnPressed()"), self.inboxSearchLineEditReturnPressed)
|
|
QtCore.QObject.connect(self.ui.inboxSearchLineEdit, QtCore.SIGNAL(
|
|
"textChanged(QString)"), self.inboxSearchLineEditUpdated)
|
|
QtCore.QObject.connect(self.ui.inboxSearchLineEditSubscriptions, QtCore.SIGNAL(
|
|
"textChanged(QString)"), self.inboxSearchLineEditUpdated)
|
|
QtCore.QObject.connect(self.ui.inboxSearchLineEditChans, QtCore.SIGNAL(
|
|
"textChanged(QString)"), self.inboxSearchLineEditUpdated)
|
|
|
|
# Initialize addressbook
|
|
QtCore.QObject.connect(self.ui.tableWidgetAddressBook, QtCore.SIGNAL(
|
|
"itemChanged(QTableWidgetItem *)"), self.tableWidgetAddressBookItemChanged)
|
|
# This is necessary for the completer to work if multiple recipients
|
|
QtCore.QObject.connect(self.ui.lineEditTo, QtCore.SIGNAL(
|
|
"cursorPositionChanged(int, int)"), self.ui.lineEditTo.completer().onCursorPositionChanged)
|
|
|
|
# show messages from message list
|
|
QtCore.QObject.connect(self.ui.tableWidgetInbox, QtCore.SIGNAL(
|
|
"itemSelectionChanged ()"), self.tableWidgetInboxItemClicked)
|
|
QtCore.QObject.connect(self.ui.tableWidgetInboxSubscriptions, QtCore.SIGNAL(
|
|
"itemSelectionChanged ()"), self.tableWidgetInboxItemClicked)
|
|
QtCore.QObject.connect(self.ui.tableWidgetInboxChans, QtCore.SIGNAL(
|
|
"itemSelectionChanged ()"), self.tableWidgetInboxItemClicked)
|
|
|
|
# tree address lists
|
|
QtCore.QObject.connect(self.ui.treeWidgetYourIdentities, QtCore.SIGNAL(
|
|
"itemSelectionChanged ()"), self.treeWidgetItemClicked)
|
|
QtCore.QObject.connect(self.ui.treeWidgetYourIdentities, QtCore.SIGNAL(
|
|
"itemChanged (QTreeWidgetItem *, int)"), self.treeWidgetItemChanged)
|
|
QtCore.QObject.connect(self.ui.treeWidgetSubscriptions, QtCore.SIGNAL(
|
|
"itemSelectionChanged ()"), self.treeWidgetItemClicked)
|
|
QtCore.QObject.connect(self.ui.treeWidgetSubscriptions, QtCore.SIGNAL(
|
|
"itemChanged (QTreeWidgetItem *, int)"), self.treeWidgetItemChanged)
|
|
QtCore.QObject.connect(self.ui.treeWidgetChans, QtCore.SIGNAL(
|
|
"itemSelectionChanged ()"), self.treeWidgetItemClicked)
|
|
QtCore.QObject.connect(self.ui.treeWidgetChans, QtCore.SIGNAL(
|
|
"itemChanged (QTreeWidgetItem *, int)"), self.treeWidgetItemChanged)
|
|
QtCore.QObject.connect(
|
|
self.ui.tabWidget, QtCore.SIGNAL("currentChanged(int)"),
|
|
self.tabWidgetCurrentChanged
|
|
)
|
|
|
|
# Put the colored icon on the status bar
|
|
# self.pushButtonStatusIcon.setIcon(QIcon(":/newPrefix/images/yellowicon.png"))
|
|
self.setStatusBar(BMStatusBar())
|
|
self.statusbar = self.statusBar()
|
|
|
|
self.pushButtonStatusIcon = QtGui.QPushButton(self)
|
|
self.pushButtonStatusIcon.setText('')
|
|
self.pushButtonStatusIcon.setIcon(
|
|
QtGui.QIcon(':/newPrefix/images/redicon.png'))
|
|
self.pushButtonStatusIcon.setFlat(True)
|
|
self.statusbar.insertPermanentWidget(0, self.pushButtonStatusIcon)
|
|
QtCore.QObject.connect(self.pushButtonStatusIcon, QtCore.SIGNAL(
|
|
"clicked()"), self.click_pushButtonStatusIcon)
|
|
|
|
self.numberOfMessagesProcessed = 0
|
|
self.numberOfBroadcastsProcessed = 0
|
|
self.numberOfPubkeysProcessed = 0
|
|
self.unreadCount = 0
|
|
|
|
# Set the icon sizes for the identicons
|
|
identicon_size = 3*7
|
|
self.ui.tableWidgetInbox.setIconSize(QtCore.QSize(identicon_size, identicon_size))
|
|
self.ui.treeWidgetChans.setIconSize(QtCore.QSize(identicon_size, identicon_size))
|
|
self.ui.treeWidgetYourIdentities.setIconSize(QtCore.QSize(identicon_size, identicon_size))
|
|
self.ui.treeWidgetSubscriptions.setIconSize(QtCore.QSize(identicon_size, identicon_size))
|
|
self.ui.tableWidgetAddressBook.setIconSize(QtCore.QSize(identicon_size, identicon_size))
|
|
|
|
self.UISignalThread = UISignaler.get()
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"writeNewAddressToTable(PyQt_PyObject,PyQt_PyObject,PyQt_PyObject)"), self.writeNewAddressToTable)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"updateStatusBar(PyQt_PyObject)"), self.updateStatusBar)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"updateSentItemStatusByToAddress(PyQt_PyObject,PyQt_PyObject)"), self.updateSentItemStatusByToAddress)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"updateSentItemStatusByAckdata(PyQt_PyObject,PyQt_PyObject)"), self.updateSentItemStatusByAckdata)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"displayNewInboxMessage(PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject)"), self.displayNewInboxMessage)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"displayNewSentMessage(PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject)"), self.displayNewSentMessage)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"setStatusIcon(PyQt_PyObject)"), self.setStatusIcon)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"changedInboxUnread(PyQt_PyObject)"), self.changedInboxUnread)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"rerenderMessagelistFromLabels()"), self.rerenderMessagelistFromLabels)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"rerenderMessgelistToLabels()"), self.rerenderMessagelistToLabels)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"rerenderAddressBook()"), self.rerenderAddressBook)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"rerenderSubscriptions()"), self.rerenderSubscriptions)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"removeInboxRowByMsgid(PyQt_PyObject)"), self.removeInboxRowByMsgid)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"newVersionAvailable(PyQt_PyObject)"), self.newVersionAvailable)
|
|
QtCore.QObject.connect(self.UISignalThread, QtCore.SIGNAL(
|
|
"displayAlert(PyQt_PyObject,PyQt_PyObject,PyQt_PyObject)"), self.displayAlert)
|
|
self.UISignalThread.start()
|
|
|
|
# Key press in tree view
|
|
self.ui.treeWidgetYourIdentities.keyPressEvent = self.treeWidgetKeyPressEvent
|
|
self.ui.treeWidgetSubscriptions.keyPressEvent = self.treeWidgetKeyPressEvent
|
|
self.ui.treeWidgetChans.keyPressEvent = self.treeWidgetKeyPressEvent
|
|
|
|
# Key press in messagelist
|
|
self.ui.tableWidgetInbox.keyPressEvent = self.tableWidgetKeyPressEvent
|
|
self.ui.tableWidgetInboxSubscriptions.keyPressEvent = self.tableWidgetKeyPressEvent
|
|
self.ui.tableWidgetInboxChans.keyPressEvent = self.tableWidgetKeyPressEvent
|
|
|
|
# Key press in messageview
|
|
self.ui.textEditInboxMessage.keyPressEvent = self.textEditKeyPressEvent
|
|
self.ui.textEditInboxMessageSubscriptions.keyPressEvent = self.textEditKeyPressEvent
|
|
self.ui.textEditInboxMessageChans.keyPressEvent = self.textEditKeyPressEvent
|
|
|
|
# Below this point, it would be good if all of the necessary global data
|
|
# structures were initialized.
|
|
|
|
self.rerenderComboBoxSendFrom()
|
|
self.rerenderComboBoxSendFromBroadcast()
|
|
|
|
# Put the TTL slider in the correct spot
|
|
TTL = BMConfigParser().getint('bitmessagesettings', 'ttl')
|
|
if TTL < 3600: # an hour
|
|
TTL = 3600
|
|
elif TTL > 28*24*60*60: # 28 days
|
|
TTL = 28*24*60*60
|
|
self.ui.horizontalSliderTTL.setSliderPosition((TTL - 3600) ** (1/3.199))
|
|
self.updateHumanFriendlyTTLDescription(TTL)
|
|
|
|
QtCore.QObject.connect(self.ui.horizontalSliderTTL, QtCore.SIGNAL(
|
|
"valueChanged(int)"), self.updateTTL)
|
|
|
|
self.initSettings()
|
|
|
|
namecoin.ensureNamecoinOptions()
|
|
self.namecoin = namecoin.namecoinConnection()
|
|
|
|
# Check to see whether we can connect to namecoin.
|
|
# Hide the 'Fetch Namecoin ID' button if we can't.
|
|
if BMConfigParser().safeGetBoolean(
|
|
'bitmessagesettings', 'dontconnect'
|
|
) or self.namecoin.test()[0] == 'failed':
|
|
logger.warning(
|
|
'There was a problem testing for a Namecoin daemon. Hiding the'
|
|
' Fetch Namecoin ID button')
|
|
self.ui.pushButtonFetchNamecoinID.hide()
|
|
|
|
def updateTTL(self, sliderPosition):
|
|
TTL = int(sliderPosition ** 3.199 + 3600)
|
|
self.updateHumanFriendlyTTLDescription(TTL)
|
|
BMConfigParser().set('bitmessagesettings', 'ttl', str(TTL))
|
|
BMConfigParser().save()
|
|
|
|
def updateHumanFriendlyTTLDescription(self, TTL):
|
|
numberOfHours = int(round(TTL / (60*60)))
|
|
font = QtGui.QFont()
|
|
stylesheet = ""
|
|
|
|
if numberOfHours < 48:
|
|
self.ui.labelHumanFriendlyTTLDescription.setText(
|
|
_translate("MainWindow", "%n hour(s)", None, QtCore.QCoreApplication.CodecForTr, numberOfHours) +
|
|
", " +
|
|
_translate("MainWindow", "not recommended for chans", None, QtCore.QCoreApplication.CodecForTr)
|
|
)
|
|
stylesheet = "QLabel { color : red; }"
|
|
font.setBold(True)
|
|
else:
|
|
numberOfDays = int(round(TTL / (24*60*60)))
|
|
self.ui.labelHumanFriendlyTTLDescription.setText(_translate("MainWindow", "%n day(s)", None, QtCore.QCoreApplication.CodecForTr, numberOfDays))
|
|
font.setBold(False)
|
|
self.ui.labelHumanFriendlyTTLDescription.setStyleSheet(stylesheet)
|
|
self.ui.labelHumanFriendlyTTLDescription.setFont(font)
|
|
|
|
# Show or hide the application window after clicking an item within the
|
|
# tray icon or, on Windows, the try icon itself.
|
|
def appIndicatorShowOrHideWindow(self):
|
|
if not self.actionShow.isChecked():
|
|
self.hide()
|
|
else:
|
|
self.show()
|
|
self.setWindowState(
|
|
self.windowState() & ~QtCore.Qt.WindowMinimized | QtCore.Qt.WindowActive)
|
|
self.raise_()
|
|
self.activateWindow()
|
|
|
|
# show the application window
|
|
def appIndicatorShow(self):
|
|
if self.actionShow is None:
|
|
return
|
|
if not self.actionShow.isChecked():
|
|
self.actionShow.setChecked(True)
|
|
self.appIndicatorShowOrHideWindow()
|
|
|
|
# unchecks the show item on the application indicator
|
|
def appIndicatorHide(self):
|
|
if self.actionShow is None:
|
|
return
|
|
if self.actionShow.isChecked():
|
|
self.actionShow.setChecked(False)
|
|
self.appIndicatorShowOrHideWindow()
|
|
|
|
def appIndicatorSwitchQuietMode(self):
|
|
BMConfigParser().set(
|
|
'bitmessagesettings', 'showtraynotifications',
|
|
str(not self.actionQuiet.isChecked())
|
|
)
|
|
|
|
# application indicator show or hide
|
|
"""# application indicator show or hide
|
|
def appIndicatorShowBitmessage(self):
|
|
#if self.actionShow == None:
|
|
# return
|
|
print self.actionShow.isChecked()
|
|
if not self.actionShow.isChecked():
|
|
self.hide()
|
|
#self.setWindowState(self.windowState() & QtCore.Qt.WindowMinimized)
|
|
else:
|
|
self.appIndicatorShowOrHideWindow()"""
|
|
|
|
# Show the program window and select inbox tab
|
|
def appIndicatorInbox(self, item=None):
|
|
self.appIndicatorShow()
|
|
# select inbox
|
|
self.ui.tabWidget.setCurrentIndex(
|
|
self.ui.tabWidget.indexOf(self.ui.inbox)
|
|
)
|
|
self.ui.treeWidgetYourIdentities.setCurrentItem(
|
|
self.ui.treeWidgetYourIdentities.topLevelItem(0).child(0)
|
|
)
|
|
|
|
if item:
|
|
self.ui.tableWidgetInbox.setCurrentItem(item)
|
|
self.tableWidgetInboxItemClicked()
|
|
else:
|
|
self.ui.tableWidgetInbox.setCurrentCell(0, 0)
|
|
|
|
# Show the program window and select send tab
|
|
def appIndicatorSend(self):
|
|
self.appIndicatorShow()
|
|
self.ui.tabWidget.setCurrentIndex(
|
|
self.ui.tabWidget.indexOf(self.ui.send)
|
|
)
|
|
|
|
# Show the program window and select subscriptions tab
|
|
def appIndicatorSubscribe(self):
|
|
self.appIndicatorShow()
|
|
self.ui.tabWidget.setCurrentIndex(
|
|
self.ui.tabWidget.indexOf(self.ui.subscriptions)
|
|
)
|
|
|
|
# Show the program window and select channels tab
|
|
def appIndicatorChannel(self):
|
|
self.appIndicatorShow()
|
|
self.ui.tabWidget.setCurrentIndex(
|
|
self.ui.tabWidget.indexOf(self.ui.chans)
|
|
)
|
|
|
|
def updateUnreadStatus(self, widget, row, msgid, unread=True):
|
|
"""
|
|
Switch unread for item of msgid and related items in
|
|
other STableWidgets "All Accounts" and "Chans"
|
|
"""
|
|
related = [self.ui.tableWidgetInbox, self.ui.tableWidgetInboxChans]
|
|
try:
|
|
related.remove(widget)
|
|
related = related.pop()
|
|
except ValueError:
|
|
rrow = None
|
|
related = []
|
|
else:
|
|
# maybe use instead:
|
|
# rrow = related.row(msgid), msgid should be QTableWidgetItem
|
|
# related = related.findItems(msgid, QtCore.Qt.MatchExactly),
|
|
# returns an empty list
|
|
for rrow in xrange(related.rowCount()):
|
|
if msgid == str(related.item(rrow, 3).data(
|
|
QtCore.Qt.UserRole).toPyObject()):
|
|
break
|
|
else:
|
|
rrow = None
|
|
|
|
status = widget.item(row, 0).unread
|
|
if status == unread:
|
|
font = QtGui.QFont()
|
|
font.setBold(not status)
|
|
widget.item(row, 3).setFont(font)
|
|
for col in (0, 1, 2):
|
|
widget.item(row, col).setUnread(not status)
|
|
|
|
try:
|
|
related.item(rrow, 3).setFont(font)
|
|
except (TypeError, AttributeError):
|
|
pass
|
|
else:
|
|
for col in (0, 1, 2):
|
|
related.item(rrow, col).setUnread(not status)
|
|
|
|
def propagateUnreadCount(self, address = None, folder = "inbox", widget = None, type = 1):
|
|
widgets = [self.ui.treeWidgetYourIdentities, self.ui.treeWidgetSubscriptions, self.ui.treeWidgetChans]
|
|
queryReturn = sqlQuery("SELECT toaddress, folder, COUNT(msgid) AS cnt FROM inbox WHERE read = 0 GROUP BY toaddress, folder")
|
|
totalUnread = {}
|
|
normalUnread = {}
|
|
for row in queryReturn:
|
|
normalUnread[row[0]] = {}
|
|
if row[1] in ["trash"]:
|
|
continue
|
|
normalUnread[row[0]][row[1]] = row[2]
|
|
if row[1] in totalUnread:
|
|
totalUnread[row[1]] += row[2]
|
|
else:
|
|
totalUnread[row[1]] = row[2]
|
|
queryReturn = sqlQuery("SELECT fromaddress, folder, COUNT(msgid) AS cnt FROM inbox WHERE read = 0 AND toaddress = ? GROUP BY fromaddress, folder", str_broadcast_subscribers)
|
|
broadcastsUnread = {}
|
|
for row in queryReturn:
|
|
broadcastsUnread[row[0]] = {}
|
|
broadcastsUnread[row[0]][row[1]] = row[2]
|
|
|
|
for treeWidget in widgets:
|
|
root = treeWidget.invisibleRootItem()
|
|
for i in range(root.childCount()):
|
|
addressItem = root.child(i)
|
|
newCount = 0
|
|
if addressItem.type == AccountMixin.ALL:
|
|
newCount = sum(totalUnread.itervalues())
|
|
self.drawTrayIcon(self.currentTrayIconFileName, newCount)
|
|
elif addressItem.type == AccountMixin.SUBSCRIPTION:
|
|
if addressItem.address in broadcastsUnread:
|
|
newCount = sum(broadcastsUnread[addressItem.address].itervalues())
|
|
elif addressItem.address in normalUnread:
|
|
newCount = sum(normalUnread[addressItem.address].itervalues())
|
|
if newCount != addressItem.unreadCount:
|
|
addressItem.setUnreadCount(newCount)
|
|
if addressItem.childCount == 0:
|
|
continue
|
|
for j in range(addressItem.childCount()):
|
|
folderItem = addressItem.child(j)
|
|
newCount = 0
|
|
folderName = folderItem.folderName
|
|
if folderName == "new":
|
|
folderName = "inbox"
|
|
if addressItem.type == AccountMixin.ALL and folderName in totalUnread:
|
|
newCount = totalUnread[folderName]
|
|
elif addressItem.type == AccountMixin.SUBSCRIPTION:
|
|
if addressItem.address in broadcastsUnread and folderName in broadcastsUnread[addressItem.address]:
|
|
newCount = broadcastsUnread[addressItem.address][folderName]
|
|
elif addressItem.address in normalUnread and folderName in normalUnread[addressItem.address]:
|
|
newCount = normalUnread[addressItem.address][folderName]
|
|
if newCount != folderItem.unreadCount:
|
|
folderItem.setUnreadCount(newCount)
|
|
|
|
def addMessageListItem(self, tableWidget, items):
|
|
sortingEnabled = tableWidget.isSortingEnabled()
|
|
if sortingEnabled:
|
|
tableWidget.setSortingEnabled(False)
|
|
tableWidget.insertRow(0)
|
|
for i in range(len(items)):
|
|
tableWidget.setItem(0, i, items[i])
|
|
if sortingEnabled:
|
|
tableWidget.setSortingEnabled(True)
|
|
|
|
def addMessageListItemSent(self, tableWidget, toAddress, fromAddress, subject, status, ackdata, lastactiontime):
|
|
acct = accountClass(fromAddress)
|
|
if acct is None:
|
|
acct = BMAccount(fromAddress)
|
|
acct.parseMessage(toAddress, fromAddress, subject, "")
|
|
|
|
items = []
|
|
MessageList_AddressWidget(items, str(toAddress), unicode(acct.toLabel, 'utf-8'))
|
|
MessageList_AddressWidget(items, str(fromAddress), unicode(acct.fromLabel, 'utf-8'))
|
|
MessageList_SubjectWidget(items, str(subject), unicode(acct.subject, 'utf-8', 'replace'))
|
|
|
|
if status == 'awaitingpubkey':
|
|
statusText = _translate(
|
|
"MainWindow", "Waiting for their encryption key. Will request it again soon.")
|
|
elif status == 'doingpowforpubkey':
|
|
statusText = _translate(
|
|
"MainWindow", "Doing work necessary to request encryption key.")
|
|
elif status == 'msgqueued':
|
|
statusText = _translate(
|
|
"MainWindow", "Queued.")
|
|
elif status == 'msgsent':
|
|
statusText = _translate("MainWindow", "Message sent. Waiting for acknowledgement. Sent at %1").arg(
|
|
l10n.formatTimestamp(lastactiontime))
|
|
elif status == 'msgsentnoackexpected':
|
|
statusText = _translate("MainWindow", "Message sent. Sent at %1").arg(
|
|
l10n.formatTimestamp(lastactiontime))
|
|
elif status == 'doingmsgpow':
|
|
statusText = _translate(
|
|
"MainWindow", "Doing work necessary to send message.")
|
|
elif status == 'ackreceived':
|
|
statusText = _translate("MainWindow", "Acknowledgement of the message received %1").arg(
|
|
l10n.formatTimestamp(lastactiontime))
|
|
elif status == 'broadcastqueued':
|
|
statusText = _translate(
|
|
"MainWindow", "Broadcast queued.")
|
|
elif status == 'doingbroadcastpow':
|
|
statusText = _translate(
|
|
"MainWindow", "Doing work necessary to send broadcast.")
|
|
elif status == 'broadcastsent':
|
|
statusText = _translate("MainWindow", "Broadcast on %1").arg(
|
|
l10n.formatTimestamp(lastactiontime))
|
|
elif status == 'toodifficult':
|
|
statusText = _translate("MainWindow", "Problem: The work demanded by the recipient is more difficult than you are willing to do. %1").arg(
|
|
l10n.formatTimestamp(lastactiontime))
|
|
elif status == 'badkey':
|
|
statusText = _translate("MainWindow", "Problem: The recipient\'s encryption key is no good. Could not encrypt message. %1").arg(
|
|
l10n.formatTimestamp(lastactiontime))
|
|
elif status == 'forcepow':
|
|
statusText = _translate(
|
|
"MainWindow", "Forced difficulty override. Send should start soon.")
|
|
else:
|
|
statusText = _translate("MainWindow", "Unknown status: %1 %2").arg(status).arg(
|
|
l10n.formatTimestamp(lastactiontime))
|
|
newItem = myTableWidgetItem(statusText)
|
|
newItem.setToolTip(statusText)
|
|
newItem.setData(QtCore.Qt.UserRole, QtCore.QByteArray(ackdata))
|
|
newItem.setData(33, int(lastactiontime))
|
|
newItem.setFlags(
|
|
QtCore.Qt.ItemIsSelectable | QtCore.Qt.ItemIsEnabled)
|
|
items.append(newItem)
|
|
self.addMessageListItem(tableWidget, items)
|
|
return acct
|
|
|
|
def addMessageListItemInbox(self, tableWidget, msgfolder, msgid, toAddress, fromAddress, subject, received, read):
|
|
font = QtGui.QFont()
|
|
font.setBold(True)
|
|
if toAddress == str_broadcast_subscribers:
|
|
acct = accountClass(fromAddress)
|
|
else:
|
|
acct = accountClass(toAddress)
|
|
if acct is None:
|
|
acct = accountClass(fromAddress)
|
|
if acct is None:
|
|
acct = BMAccount(fromAddress)
|
|
acct.parseMessage(toAddress, fromAddress, subject, "")
|
|
|
|
items = []
|
|
#to
|
|
MessageList_AddressWidget(items, toAddress, unicode(acct.toLabel, 'utf-8'), not read)
|
|
# from
|
|
MessageList_AddressWidget(items, fromAddress, unicode(acct.fromLabel, 'utf-8'), not read)
|
|
# subject
|
|
MessageList_SubjectWidget(items, str(subject), unicode(acct.subject, 'utf-8', 'replace'), not read)
|
|
# time received
|
|
time_item = myTableWidgetItem(l10n.formatTimestamp(received))
|
|
time_item.setToolTip(l10n.formatTimestamp(received))
|
|
time_item.setData(QtCore.Qt.UserRole, QtCore.QByteArray(msgid))
|
|
time_item.setData(33, int(received))
|
|
time_item.setFlags(
|
|
QtCore.Qt.ItemIsSelectable | QtCore.Qt.ItemIsEnabled)
|
|
if not read:
|
|
time_item.setFont(font)
|
|
items.append(time_item)
|
|
self.addMessageListItem(tableWidget, items)
|
|
return acct
|
|
|
|
# Load Sent items from database
|
|
def loadSent(self, tableWidget, account, where="", what=""):
|
|
if tableWidget == self.ui.tableWidgetInboxSubscriptions:
|
|
tableWidget.setColumnHidden(0, True)
|
|
tableWidget.setColumnHidden(1, False)
|
|
xAddress = 'toaddress'
|
|
elif tableWidget == self.ui.tableWidgetInboxChans:
|
|
tableWidget.setColumnHidden(0, False)
|
|
tableWidget.setColumnHidden(1, True)
|
|
xAddress = 'both'
|
|
else:
|
|
tableWidget.setColumnHidden(0, False)
|
|
if account is None:
|
|
tableWidget.setColumnHidden(1, False)
|
|
else:
|
|
tableWidget.setColumnHidden(1, True)
|
|
xAddress = 'fromaddress'
|
|
|
|
tableWidget.setUpdatesEnabled(False)
|
|
tableWidget.setSortingEnabled(False)
|
|
tableWidget.setRowCount(0)
|
|
queryreturn = helper_search.search_sql(xAddress, account, "sent", where, what, False)
|
|
|
|
for row in queryreturn:
|
|
toAddress, fromAddress, subject, status, ackdata, lastactiontime = row
|
|
self.addMessageListItemSent(tableWidget, toAddress, fromAddress, subject, status, ackdata, lastactiontime)
|
|
|
|
tableWidget.horizontalHeader().setSortIndicator(
|
|
3, QtCore.Qt.DescendingOrder)
|
|
tableWidget.setSortingEnabled(True)
|
|
tableWidget.horizontalHeaderItem(3).setText(_translate("MainWindow", "Sent", None))
|
|
tableWidget.setUpdatesEnabled(True)
|
|
|
|
# Load messages from database file
|
|
def loadMessagelist(self, tableWidget, account, folder="inbox", where="", what="", unreadOnly = False):
|
|
if folder == 'sent':
|
|
self.loadSent(tableWidget, account, where, what)
|
|
return
|
|
|
|
if tableWidget == self.ui.tableWidgetInboxSubscriptions:
|
|
xAddress = "fromaddress"
|
|
else:
|
|
xAddress = "toaddress"
|
|
if account is not None:
|
|
tableWidget.setColumnHidden(0, True)
|
|
tableWidget.setColumnHidden(1, False)
|
|
else:
|
|
tableWidget.setColumnHidden(0, False)
|
|
tableWidget.setColumnHidden(1, False)
|
|
|
|
tableWidget.setUpdatesEnabled(False)
|
|
tableWidget.setSortingEnabled(False)
|
|
tableWidget.setRowCount(0)
|
|
|
|
queryreturn = helper_search.search_sql(xAddress, account, folder, where, what, unreadOnly)
|
|
|
|
for row in queryreturn:
|
|
msgfolder, msgid, toAddress, fromAddress, subject, received, read = row
|
|
self.addMessageListItemInbox(tableWidget, msgfolder, msgid, toAddress, fromAddress, subject, received, read)
|
|
|
|
tableWidget.horizontalHeader().setSortIndicator(
|
|
3, QtCore.Qt.DescendingOrder)
|
|
tableWidget.setSortingEnabled(True)
|
|
tableWidget.selectRow(0)
|
|
tableWidget.horizontalHeaderItem(3).setText(_translate("MainWindow", "Received", None))
|
|
tableWidget.setUpdatesEnabled(True)
|
|
|
|
# create application indicator
|
|
def appIndicatorInit(self, app):
|
|
self.initTrayIcon("can-icon-24px-red.png", app)
|
|
traySignal = "activated(QSystemTrayIcon::ActivationReason)"
|
|
QtCore.QObject.connect(self.tray, QtCore.SIGNAL(
|
|
traySignal), self.__icon_activated)
|
|
|
|
m = QtGui.QMenu()
|
|
|
|
self.actionStatus = QtGui.QAction(_translate(
|
|
"MainWindow", "Not Connected"), m, checkable=False)
|
|
m.addAction(self.actionStatus)
|
|
|
|
# separator
|
|
actionSeparator = QtGui.QAction('', m, checkable=False)
|
|
actionSeparator.setSeparator(True)
|
|
m.addAction(actionSeparator)
|
|
|
|
# show bitmessage
|
|
self.actionShow = QtGui.QAction(_translate(
|
|
"MainWindow", "Show Bitmessage"), m, checkable=True)
|
|
self.actionShow.setChecked(not BMConfigParser().getboolean(
|
|
'bitmessagesettings', 'startintray'))
|
|
self.actionShow.triggered.connect(self.appIndicatorShowOrHideWindow)
|
|
if not sys.platform[0:3] == 'win':
|
|
m.addAction(self.actionShow)
|
|
|
|
# quiet mode
|
|
self.actionQuiet = QtGui.QAction(_translate(
|
|
"MainWindow", "Quiet Mode"), m, checkable=True)
|
|
self.actionQuiet.setChecked(not BMConfigParser().getboolean(
|
|
'bitmessagesettings', 'showtraynotifications'))
|
|
self.actionQuiet.triggered.connect(self.appIndicatorSwitchQuietMode)
|
|
m.addAction(self.actionQuiet)
|
|
|
|
# Send
|
|
actionSend = QtGui.QAction(_translate(
|
|
"MainWindow", "Send"), m, checkable=False)
|
|
actionSend.triggered.connect(self.appIndicatorSend)
|
|
m.addAction(actionSend)
|
|
|
|
# Subscribe
|
|
actionSubscribe = QtGui.QAction(_translate(
|
|
"MainWindow", "Subscribe"), m, checkable=False)
|
|
actionSubscribe.triggered.connect(self.appIndicatorSubscribe)
|
|
m.addAction(actionSubscribe)
|
|
|
|
# Channels
|
|
actionSubscribe = QtGui.QAction(_translate(
|
|
"MainWindow", "Channel"), m, checkable=False)
|
|
actionSubscribe.triggered.connect(self.appIndicatorChannel)
|
|
m.addAction(actionSubscribe)
|
|
|
|
# separator
|
|
actionSeparator = QtGui.QAction('', m, checkable=False)
|
|
actionSeparator.setSeparator(True)
|
|
m.addAction(actionSeparator)
|
|
|
|
# Quit
|
|
m.addAction(_translate(
|
|
"MainWindow", "Quit"), self.quit)
|
|
|
|
self.tray.setContextMenu(m)
|
|
self.tray.show()
|
|
|
|
# returns the number of unread messages and subscriptions
|
|
def getUnread(self):
|
|
counters = [0, 0]
|
|
|
|
queryreturn = sqlQuery('''
|
|
SELECT msgid, toaddress, read FROM inbox where folder='inbox'
|
|
''')
|
|
for msgid, toAddress, read in queryreturn:
|
|
|
|
if not read:
|
|
# increment the unread subscriptions if True (1)
|
|
# else messages (0)
|
|
counters[toAddress == str_broadcast_subscribers] += 1
|
|
|
|
return counters
|
|
|
|
# play a sound
|
|
def playSound(self, category, label):
|
|
# filename of the sound to be played
|
|
soundFilename = None
|
|
|
|
def _choose_ext(basename):
|
|
for ext in sound.extensions:
|
|
if os.path.isfile(os.extsep.join([basename, ext])):
|
|
return os.extsep + ext
|
|
|
|
# if the address had a known label in the address book
|
|
if label:
|
|
# Does a sound file exist for this particular contact?
|
|
soundFilename = state.appdata + 'sounds/' + label
|
|
ext = _choose_ext(soundFilename)
|
|
if not ext:
|
|
category = sound.SOUND_KNOWN
|
|
soundFilename = None
|
|
|
|
if soundFilename is None:
|
|
# Avoid making sounds more frequently than the threshold.
|
|
# This suppresses playing sounds repeatedly when there
|
|
# are many new messages
|
|
if not sound.is_connection_sound(category):
|
|
# elapsed time since the last sound was played
|
|
dt = datetime.now() - self.lastSoundTime
|
|
# suppress sounds which are more frequent than the threshold
|
|
if dt.total_seconds() < self.maxSoundFrequencySec:
|
|
return
|
|
|
|
# the sound is for an address which exists in the address book
|
|
if category is sound.SOUND_KNOWN:
|
|
soundFilename = state.appdata + 'sounds/known'
|
|
# the sound is for an unknown address
|
|
elif category is sound.SOUND_UNKNOWN:
|
|
soundFilename = state.appdata + 'sounds/unknown'
|
|
# initial connection sound
|
|
elif category is sound.SOUND_CONNECTED:
|
|
soundFilename = state.appdata + 'sounds/connected'
|
|
# disconnected sound
|
|
elif category is sound.SOUND_DISCONNECTED:
|
|
soundFilename = state.appdata + 'sounds/disconnected'
|
|
# sound when the connection status becomes green
|
|
elif category is sound.SOUND_CONNECTION_GREEN:
|
|
soundFilename = state.appdata + 'sounds/green'
|
|
|
|
if soundFilename is None:
|
|
logger.warning("Probably wrong category number in playSound()")
|
|
return
|
|
|
|
if not sound.is_connection_sound(category):
|
|
# record the last time that a received message sound was played
|
|
self.lastSoundTime = datetime.now()
|
|
|
|
try: # try already known format
|
|
soundFilename += ext
|
|
except (TypeError, NameError):
|
|
ext = _choose_ext(soundFilename)
|
|
if not ext:
|
|
try: # if no user sound file found try to play from theme
|
|
return self._theme_player(category, label)
|
|
except TypeError:
|
|
return
|
|
|
|
soundFilename += ext
|
|
|
|
self._player(soundFilename)
|
|
|
|
# Adapters and converters for QT <-> sqlite
|
|
def sqlInit(self):
|
|
register_adapter(QtCore.QByteArray, str)
|
|
|
|
# Try init the distro specific appindicator,
|
|
# for example the Ubuntu MessagingMenu
|
|
def indicatorInit(self):
|
|
def _noop_update(*args, **kwargs):
|
|
pass
|
|
|
|
try:
|
|
self.indicatorUpdate = get_plugin('indicator')(self)
|
|
except (NameError, TypeError):
|
|
logger.warning("No indicator plugin found")
|
|
self.indicatorUpdate = _noop_update
|
|
|
|
# initialise the message notifier
|
|
def notifierInit(self):
|
|
def _simple_notify(
|
|
title, subtitle, category, label=None, icon=None):
|
|
self.tray.showMessage(title, subtitle, 1, 2000)
|
|
|
|
self._notifier = _simple_notify
|
|
# does nothing if isAvailable returns false
|
|
self._player = QtGui.QSound.play
|
|
|
|
if not get_plugins:
|
|
return
|
|
|
|
_plugin = get_plugin('notification.message')
|
|
if _plugin:
|
|
self._notifier = _plugin
|
|
else:
|
|
logger.warning("No notification.message plugin found")
|
|
|
|
self._theme_player = get_plugin('notification.sound', 'theme')
|
|
|
|
if not QtGui.QSound.isAvailable():
|
|
_plugin = get_plugin(
|
|
'notification.sound', 'file', fallback='file.fallback')
|
|
if _plugin:
|
|
self._player = _plugin
|
|
else:
|
|
logger.warning("No notification.sound plugin found")
|
|
|
|
def notifierShow(
|
|
self, title, subtitle, category, label=None, icon=None):
|
|
self.playSound(category, label)
|
|
self._notifier(
|
|
unicode(title), unicode(subtitle), category, label, icon)
|
|
|
|
# tree
|
|
def treeWidgetKeyPressEvent(self, event):
|
|
return self.handleKeyPress(event, self.getCurrentTreeWidget())
|
|
|
|
# inbox / sent
|
|
def tableWidgetKeyPressEvent(self, event):
|
|
return self.handleKeyPress(event, self.getCurrentMessagelist())
|
|
|
|
# messageview
|
|
def textEditKeyPressEvent(self, event):
|
|
return self.handleKeyPress(event, self.getCurrentMessageTextedit())
|
|
|
|
def handleKeyPress(self, event, focus = None):
|
|
messagelist = self.getCurrentMessagelist()
|
|
folder = self.getCurrentFolder()
|
|
if event.key() == QtCore.Qt.Key_Delete:
|
|
if isinstance (focus, MessageView) or isinstance(focus, QtGui.QTableWidget):
|
|
if folder == "sent":
|
|
self.on_action_SentTrash()
|
|
else:
|
|
self.on_action_InboxTrash()
|
|
event.ignore()
|
|
elif QtGui.QApplication.queryKeyboardModifiers() == QtCore.Qt.NoModifier:
|
|
if event.key() == QtCore.Qt.Key_N:
|
|
currentRow = messagelist.currentRow()
|
|
if currentRow < messagelist.rowCount() - 1:
|
|
messagelist.selectRow(currentRow + 1)
|
|
event.ignore()
|
|
elif event.key() == QtCore.Qt.Key_P:
|
|
currentRow = messagelist.currentRow()
|
|
if currentRow > 0:
|
|
messagelist.selectRow(currentRow - 1)
|
|
event.ignore()
|
|
elif event.key() == QtCore.Qt.Key_R:
|
|
if messagelist == self.ui.tableWidgetInboxChans:
|
|
self.on_action_InboxReplyChan()
|
|
else:
|
|
self.on_action_InboxReply()
|
|
event.ignore()
|
|
elif event.key() == QtCore.Qt.Key_C:
|
|
currentAddress = self.getCurrentAccount()
|
|
if currentAddress:
|
|
self.setSendFromComboBox(currentAddress)
|
|
self.ui.tabWidgetSend.setCurrentIndex(
|
|
self.ui.tabWidgetSend.indexOf(self.ui.sendDirect)
|
|
)
|
|
self.ui.tabWidget.setCurrentIndex(
|
|
self.ui.tabWidget.indexOf(self.ui.send)
|
|
)
|
|
self.ui.lineEditTo.setFocus()
|
|
event.ignore()
|
|
elif event.key() == QtCore.Qt.Key_F:
|
|
searchline = self.getCurrentSearchLine(retObj = True)
|
|
if searchline:
|
|
searchline.setFocus()
|
|
event.ignore()
|
|
if not event.isAccepted():
|
|
return
|
|
if isinstance (focus, MessageView):
|
|
return MessageView.keyPressEvent(focus, event)
|
|
elif isinstance (focus, QtGui.QTableWidget):
|
|
return QtGui.QTableWidget.keyPressEvent(focus, event)
|
|
elif isinstance (focus, QtGui.QTreeWidget):
|
|
return QtGui.QTreeWidget.keyPressEvent(focus, event)
|
|
|
|
# menu button 'manage keys'
|
|
def click_actionManageKeys(self):
|
|
if 'darwin' in sys.platform or 'linux' in sys.platform:
|
|
if state.appdata == '':
|
|
# reply = QtGui.QMessageBox.information(self, 'keys.dat?','You
|
|
# may manage your keys by editing the keys.dat file stored in
|
|
# the same directory as this program. It is important that you
|
|
# back up this file.', QMessageBox.Ok)
|
|
reply = QtGui.QMessageBox.information(self, 'keys.dat?', _translate(
|
|
"MainWindow", "You may manage your keys by editing the keys.dat file stored in the same directory as this program. It is important that you back up this file."), QtGui.QMessageBox.Ok)
|
|
|
|
else:
|
|
QtGui.QMessageBox.information(self, 'keys.dat?', _translate(
|
|
"MainWindow", "You may manage your keys by editing the keys.dat file stored in\n %1 \nIt is important that you back up this file.").arg(state.appdata), QtGui.QMessageBox.Ok)
|
|
elif sys.platform == 'win32' or sys.platform == 'win64':
|
|
if state.appdata == '':
|
|
reply = QtGui.QMessageBox.question(self, _translate("MainWindow", "Open keys.dat?"), _translate(
|
|
"MainWindow", "You may manage your keys by editing the keys.dat file stored in the same directory as this program. It is important that you back up this file. Would you like to open the file now? (Be sure to close Bitmessage before making any changes.)"), QtGui.QMessageBox.Yes, QtGui.QMessageBox.No)
|
|
else:
|
|
reply = QtGui.QMessageBox.question(self, _translate("MainWindow", "Open keys.dat?"), _translate(
|
|
"MainWindow", "You may manage your keys by editing the keys.dat file stored in\n %1 \nIt is important that you back up this file. Would you like to open the file now? (Be sure to close Bitmessage before making any changes.)").arg(state.appdata), QtGui.QMessageBox.Yes, QtGui.QMessageBox.No)
|
|
if reply == QtGui.QMessageBox.Yes:
|
|
shared.openKeysFile()
|
|
|
|
# menu button 'delete all treshed messages'
|
|
def click_actionDeleteAllTrashedMessages(self):
|
|
if QtGui.QMessageBox.question(self, _translate("MainWindow", "Delete trash?"), _translate("MainWindow", "Are you sure you want to delete all trashed messages?"), QtGui.QMessageBox.Yes, QtGui.QMessageBox.No) == QtGui.QMessageBox.No:
|
|
return
|
|
sqlStoredProcedure('deleteandvacuume')
|
|
self.rerenderTabTreeMessages()
|
|
self.rerenderTabTreeSubscriptions()
|
|
self.rerenderTabTreeChans()
|
|
if self.getCurrentFolder(self.ui.treeWidgetYourIdentities) == "trash":
|
|
self.loadMessagelist(self.ui.tableWidgetInbox, self.getCurrentAccount(self.ui.treeWidgetYourIdentities), "trash")
|
|
elif self.getCurrentFolder(self.ui.treeWidgetSubscriptions) == "trash":
|
|
self.loadMessagelist(self.ui.tableWidgetInboxSubscriptions, self.getCurrentAccount(self.ui.treeWidgetSubscriptions), "trash")
|
|
elif self.getCurrentFolder(self.ui.treeWidgetChans) == "trash":
|
|
self.loadMessagelist(self.ui.tableWidgetInboxChans, self.getCurrentAccount(self.ui.treeWidgetChans), "trash")
|
|
|
|
# menu button 'regenerate deterministic addresses'
|
|
def click_actionRegenerateDeterministicAddresses(self):
|
|
dialog = dialogs.RegenerateAddressesDialog(self)
|
|
if dialog.exec_():
|
|
if dialog.lineEditPassphrase.text() == "":
|
|
QtGui.QMessageBox.about(
|
|
self, _translate("MainWindow", "bad passphrase"),
|
|
_translate(
|
|
"MainWindow",
|
|
"You must type your passphrase. If you don\'t"
|
|
" have one then this is not the form for you."
|
|
))
|
|
return
|
|
streamNumberForAddress = int(dialog.lineEditStreamNumber.text())
|
|
try:
|
|
addressVersionNumber = int(
|
|
dialog.lineEditAddressVersionNumber.text())
|
|
except:
|
|
QtGui.QMessageBox.about(
|
|
self,
|
|
_translate("MainWindow", "Bad address version number"),
|
|
_translate(
|
|
"MainWindow",
|
|
"Your address version number must be a number:"
|
|
" either 3 or 4."
|
|
))
|
|
return
|
|
if addressVersionNumber < 3 or addressVersionNumber > 4:
|
|
QtGui.QMessageBox.about(
|
|
self,
|
|
_translate("MainWindow", "Bad address version number"),
|
|
_translate(
|
|
"MainWindow",
|
|
"Your address version number must be either 3 or 4."
|
|
))
|
|
return
|
|
queues.addressGeneratorQueue.put((
|
|
'createDeterministicAddresses',
|
|
addressVersionNumber, streamNumberForAddress,
|
|
"regenerated deterministic address",
|
|
dialog.spinBoxNumberOfAddressesToMake.value(),
|
|
dialog.lineEditPassphrase.text().toUtf8(),
|
|
dialog.checkBoxEighteenByteRipe.isChecked()
|
|
))
|
|
self.ui.tabWidget.setCurrentIndex(
|
|
self.ui.tabWidget.indexOf(self.ui.chans)
|
|
)
|
|
|
|
# opens 'join chan' dialog
|
|
def click_actionJoinChan(self):
|
|
dialogs.NewChanDialog(self)
|
|
|
|
def showConnectDialog(self):
|
|
dialog = dialogs.ConnectDialog(self)
|
|
if dialog.exec_():
|
|
if dialog.radioButtonConnectNow.isChecked():
|
|
BMConfigParser().remove_option(
|
|
'bitmessagesettings', 'dontconnect')
|
|
BMConfigParser().save()
|
|
elif dialog.radioButtonConfigureNetwork.isChecked():
|
|
self.click_actionSettings()
|
|
else:
|
|
self._firstrun = False
|
|
|
|
def showMigrationWizard(self, level):
|
|
self.migrationWizardInstance = Ui_MigrationWizard(["a"])
|
|
if self.migrationWizardInstance.exec_():
|
|
pass
|
|
else:
|
|
pass
|
|
|
|
def changeEvent(self, event):
|
|
if event.type() == QtCore.QEvent.LanguageChange:
|
|
self.ui.retranslateUi(self)
|
|
self.init_inbox_popup_menu(False)
|
|
self.init_identities_popup_menu(False)
|
|
self.init_chan_popup_menu(False)
|
|
self.init_addressbook_popup_menu(False)
|
|
self.init_subscriptions_popup_menu(False)
|
|
self.init_sent_popup_menu(False)
|
|
self.ui.blackwhitelist.init_blacklist_popup_menu(False)
|
|
if event.type() == QtCore.QEvent.WindowStateChange:
|
|
if self.windowState() & QtCore.Qt.WindowMinimized:
|
|
if BMConfigParser().getboolean('bitmessagesettings', 'minimizetotray') and not 'darwin' in sys.platform:
|
|
QtCore.QTimer.singleShot(0, self.appIndicatorHide)
|
|
elif event.oldState() & QtCore.Qt.WindowMinimized:
|
|
# The window state has just been changed to
|
|
# Normal/Maximised/FullScreen
|
|
pass
|
|
# QtGui.QWidget.changeEvent(self, event)
|
|
|
|
def __icon_activated(self, reason):
|
|
if reason == QtGui.QSystemTrayIcon.Trigger:
|
|
self.actionShow.setChecked(not self.actionShow.isChecked())
|
|
self.appIndicatorShowOrHideWindow()
|
|
|
|
# Indicates whether or not there is a connection to the Bitmessage network
|
|
connected = False
|
|
|
|
def setStatusIcon(self, color):
|
|
# print 'setting status icon color'
|
|
_notifications_enabled = not BMConfigParser().getboolean(
|
|
'bitmessagesettings', 'hidetrayconnectionnotifications')
|
|
if color == 'red':
|
|
self.pushButtonStatusIcon.setIcon(
|
|
QtGui.QIcon(":/newPrefix/images/redicon.png"))
|
|
shared.statusIconColor = 'red'
|
|
# if the connection is lost then show a notification
|
|
if self.connected and _notifications_enabled:
|
|
self.notifierShow(
|
|
'Bitmessage',
|
|
_translate("MainWindow", "Connection lost"),
|
|
sound.SOUND_DISCONNECTED)
|
|
if not BMConfigParser().safeGetBoolean('bitmessagesettings', 'upnp') and \
|
|
BMConfigParser().get('bitmessagesettings', 'socksproxytype') == "none":
|
|
self.updateStatusBar(
|
|
_translate(
|
|
"MainWindow",
|
|
"Problems connecting? Try enabling UPnP in the Network"
|
|
" Settings"
|
|
))
|
|
self.connected = False
|
|
|
|
if self.actionStatus is not None:
|
|
self.actionStatus.setText(_translate(
|
|
"MainWindow", "Not Connected"))
|
|
self.setTrayIconFile("can-icon-24px-red.png")
|
|
if color == 'yellow':
|
|
if self.statusbar.currentMessage() == 'Warning: You are currently not connected. Bitmessage will do the work necessary to send the message but it won\'t send until you connect.':
|
|
self.statusbar.clearMessage()
|
|
self.pushButtonStatusIcon.setIcon(
|
|
QtGui.QIcon(":/newPrefix/images/yellowicon.png"))
|
|
shared.statusIconColor = 'yellow'
|
|
# if a new connection has been established then show a notification
|
|
if not self.connected and _notifications_enabled:
|
|
self.notifierShow(
|
|
'Bitmessage',
|
|
_translate("MainWindow", "Connected"),
|
|
sound.SOUND_CONNECTED)
|
|
self.connected = True
|
|
|
|
if self.actionStatus is not None:
|
|
self.actionStatus.setText(_translate(
|
|
"MainWindow", "Connected"))
|
|
self.setTrayIconFile("can-icon-24px-yellow.png")
|
|
if color == 'green':
|
|
if self.statusbar.currentMessage() == 'Warning: You are currently not connected. Bitmessage will do the work necessary to send the message but it won\'t send until you connect.':
|
|
self.statusbar.clearMessage()
|
|
self.pushButtonStatusIcon.setIcon(
|
|
QtGui.QIcon(":/newPrefix/images/greenicon.png"))
|
|
shared.statusIconColor = 'green'
|
|
if not self.connected and _notifications_enabled:
|
|
self.notifierShow(
|
|
'Bitmessage',
|
|
_translate("MainWindow", "Connected"),
|
|
sound.SOUND_CONNECTION_GREEN)
|
|
self.connected = True
|
|
|
|
if self.actionStatus is not None:
|
|
self.actionStatus.setText(_translate(
|
|
"MainWindow", "Connected"))
|
|
self.setTrayIconFile("can-icon-24px-green.png")
|
|
|
|
def initTrayIcon(self, iconFileName, app):
|
|
self.currentTrayIconFileName = iconFileName
|
|
self.tray = QtGui.QSystemTrayIcon(
|
|
self.calcTrayIcon(iconFileName, self.findInboxUnreadCount()), app)
|
|
|
|
def setTrayIconFile(self, iconFileName):
|
|
self.currentTrayIconFileName = iconFileName
|
|
self.drawTrayIcon(iconFileName, self.findInboxUnreadCount())
|
|
|
|
def calcTrayIcon(self, iconFileName, inboxUnreadCount):
|
|
pixmap = QtGui.QPixmap(":/newPrefix/images/"+iconFileName)
|
|
if inboxUnreadCount > 0:
|
|
# choose font and calculate font parameters
|
|
fontName = "Lucida"
|
|
fontSize = 10
|
|
font = QtGui.QFont(fontName, fontSize, QtGui.QFont.Bold)
|
|
fontMetrics = QtGui.QFontMetrics(font)
|
|
# text
|
|
txt = str(inboxUnreadCount)
|
|
rect = fontMetrics.boundingRect(txt)
|
|
# margins that we add in the top-right corner
|
|
marginX = 2
|
|
marginY = 0 # it looks like -2 is also ok due to the error of metric
|
|
# if it renders too wide we need to change it to a plus symbol
|
|
if rect.width() > 20:
|
|
txt = "+"
|
|
fontSize = 15
|
|
font = QtGui.QFont(fontName, fontSize, QtGui.QFont.Bold)
|
|
fontMetrics = QtGui.QFontMetrics(font)
|
|
rect = fontMetrics.boundingRect(txt)
|
|
# draw text
|
|
painter = QtGui.QPainter()
|
|
painter.begin(pixmap)
|
|
painter.setPen(
|
|
QtGui.QPen(QtGui.QColor(255, 0, 0), QtCore.Qt.SolidPattern))
|
|
painter.setFont(font)
|
|
painter.drawText(24-rect.right()-marginX, -rect.top()+marginY, txt)
|
|
painter.end()
|
|
return QtGui.QIcon(pixmap)
|
|
|
|
def drawTrayIcon(self, iconFileName, inboxUnreadCount):
|
|
self.tray.setIcon(self.calcTrayIcon(iconFileName, inboxUnreadCount))
|
|
|
|
def changedInboxUnread(self, row=None):
|
|
self.drawTrayIcon(
|
|
self.currentTrayIconFileName, self.findInboxUnreadCount())
|
|
self.rerenderTabTreeMessages()
|
|
self.rerenderTabTreeSubscriptions()
|
|
self.rerenderTabTreeChans()
|
|
|
|
def findInboxUnreadCount(self, count=None):
|
|
if count is None:
|
|
queryreturn = sqlQuery('''SELECT count(*) from inbox WHERE folder='inbox' and read=0''')
|
|
cnt = 0
|
|
for row in queryreturn:
|
|
cnt, = row
|
|
self.unreadCount = int(cnt)
|
|
else:
|
|
self.unreadCount = count
|
|
return self.unreadCount
|
|
|
|
def updateSentItemStatusByToAddress(self, toAddress, textToDisplay):
|
|
for sent in [self.ui.tableWidgetInbox, self.ui.tableWidgetInboxSubscriptions, self.ui.tableWidgetInboxChans]:
|
|
treeWidget = self.widgetConvert(sent)
|
|
if self.getCurrentFolder(treeWidget) != "sent":
|
|
continue
|
|
if treeWidget in [self.ui.treeWidgetSubscriptions, self.ui.treeWidgetChans] and self.getCurrentAccount(treeWidget) != toAddress:
|
|
continue
|
|
|
|
for i in range(sent.rowCount()):
|
|
rowAddress = sent.item(i, 0).data(QtCore.Qt.UserRole)
|
|
if toAddress == rowAddress:
|
|
sent.item(i, 3).setToolTip(textToDisplay)
|
|
try:
|
|
newlinePosition = textToDisplay.indexOf('\n')
|
|
except: # If someone misses adding a "_translate" to a string before passing it to this function, this function won't receive a qstring which will cause an exception.
|
|
newlinePosition = 0
|
|
if newlinePosition > 1:
|
|
sent.item(i, 3).setText(
|
|
textToDisplay[:newlinePosition])
|
|
else:
|
|
sent.item(i, 3).setText(textToDisplay)
|
|
|
|
def updateSentItemStatusByAckdata(self, ackdata, textToDisplay):
|
|
if type(ackdata) is str:
|
|
ackdata = QtCore.QByteArray(ackdata)
|
|
for sent in [self.ui.tableWidgetInbox, self.ui.tableWidgetInboxSubscriptions, self.ui.tableWidgetInboxChans]:
|
|
treeWidget = self.widgetConvert(sent)
|
|
if self.getCurrentFolder(treeWidget) != "sent":
|
|
continue
|
|
for i in range(sent.rowCount()):
|
|
toAddress = sent.item(
|
|
i, 0).data(QtCore.Qt.UserRole)
|
|
tableAckdata = sent.item(
|
|
i, 3).data(QtCore.Qt.UserRole).toPyObject()
|
|
status, addressVersionNumber, streamNumber, ripe = decodeAddress(
|
|
toAddress)
|
|
if ackdata == tableAckdata:
|
|
sent.item(i, 3).setToolTip(textToDisplay)
|
|
try:
|
|
newlinePosition = textToDisplay.indexOf('\n')
|
|
except: # If someone misses adding a "_translate" to a string before passing it to this function, this function won't receive a qstring which will cause an exception.
|
|
newlinePosition = 0
|
|
if newlinePosition > 1:
|
|
sent.item(i, 3).setText(
|
|
textToDisplay[:newlinePosition])
|
|
else:
|
|
sent.item(i, 3).setText(textToDisplay)
|
|
|
|
def removeInboxRowByMsgid(self, msgid): # msgid and inventoryHash are the same thing
|
|
for inbox in ([
|
|
self.ui.tableWidgetInbox,
|
|
self.ui.tableWidgetInboxSubscriptions,
|
|
self.ui.tableWidgetInboxChans]):
|
|
for i in range(inbox.rowCount()):
|
|
if msgid == str(inbox.item(i, 3).data(QtCore.Qt.UserRole).toPyObject()):
|
|
self.updateStatusBar(
|
|
_translate("MainWindow", "Message trashed"))
|
|
treeWidget = self.widgetConvert(inbox)
|
|
self.propagateUnreadCount(inbox.item(i, 1 if inbox.item(i, 1).type == AccountMixin.SUBSCRIPTION else 0).data(QtCore.Qt.UserRole), self.getCurrentFolder(treeWidget), treeWidget, 0)
|
|
inbox.removeRow(i)
|
|
break
|
|
|
|
def newVersionAvailable(self, version):
|
|
self.notifiedNewVersion = ".".join(str(n) for n in version)
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"New version of PyBitmessage is available: %1. Download it"
|
|
" from https://github.com/Bitmessage/PyBitmessage/releases/latest"
|
|
).arg(self.notifiedNewVersion)
|
|
)
|
|
|
|
def displayAlert(self, title, text, exitAfterUserClicksOk):
|
|
self.updateStatusBar(text)
|
|
QtGui.QMessageBox.critical(self, title, text, QtGui.QMessageBox.Ok)
|
|
if exitAfterUserClicksOk:
|
|
os._exit(0)
|
|
|
|
def rerenderMessagelistFromLabels(self):
|
|
for messagelist in (self.ui.tableWidgetInbox, self.ui.tableWidgetInboxChans, self.ui.tableWidgetInboxSubscriptions):
|
|
for i in range(messagelist.rowCount()):
|
|
messagelist.item(i, 1).setLabel()
|
|
|
|
def rerenderMessagelistToLabels(self):
|
|
for messagelist in (self.ui.tableWidgetInbox, self.ui.tableWidgetInboxChans, self.ui.tableWidgetInboxSubscriptions):
|
|
for i in range(messagelist.rowCount()):
|
|
messagelist.item(i, 0).setLabel()
|
|
|
|
def rerenderAddressBook(self):
|
|
def addRow (address, label, type):
|
|
self.ui.tableWidgetAddressBook.insertRow(0)
|
|
newItem = Ui_AddressBookWidgetItemLabel(address, unicode(label, 'utf-8'), type)
|
|
self.ui.tableWidgetAddressBook.setItem(0, 0, newItem)
|
|
newItem = Ui_AddressBookWidgetItemAddress(address, unicode(label, 'utf-8'), type)
|
|
self.ui.tableWidgetAddressBook.setItem(0, 1, newItem)
|
|
|
|
oldRows = {}
|
|
for i in range(self.ui.tableWidgetAddressBook.rowCount()):
|
|
item = self.ui.tableWidgetAddressBook.item(i, 0)
|
|
oldRows[item.address] = [item.label, item.type, i]
|
|
|
|
if self.ui.tableWidgetAddressBook.rowCount() == 0:
|
|
self.ui.tableWidgetAddressBook.horizontalHeader().setSortIndicator(0, QtCore.Qt.AscendingOrder)
|
|
if self.ui.tableWidgetAddressBook.isSortingEnabled():
|
|
self.ui.tableWidgetAddressBook.setSortingEnabled(False)
|
|
|
|
newRows = {}
|
|
# subscriptions
|
|
queryreturn = sqlQuery('SELECT label, address FROM subscriptions WHERE enabled = 1')
|
|
for row in queryreturn:
|
|
label, address = row
|
|
newRows[address] = [label, AccountMixin.SUBSCRIPTION]
|
|
# chans
|
|
addresses = getSortedAccounts()
|
|
for address in addresses:
|
|
account = accountClass(address)
|
|
if (account.type == AccountMixin.CHAN and BMConfigParser().safeGetBoolean(address, 'enabled')):
|
|
newRows[address] = [account.getLabel(), AccountMixin.CHAN]
|
|
# normal accounts
|
|
queryreturn = sqlQuery('SELECT * FROM addressbook')
|
|
for row in queryreturn:
|
|
label, address = row
|
|
newRows[address] = [label, AccountMixin.NORMAL]
|
|
|
|
completerList = []
|
|
for address in sorted(oldRows, key = lambda x: oldRows[x][2], reverse = True):
|
|
if address in newRows:
|
|
completerList.append(unicode(newRows[address][0], encoding="UTF-8") + " <" + address + ">")
|
|
newRows.pop(address)
|
|
else:
|
|
self.ui.tableWidgetAddressBook.removeRow(oldRows[address][2])
|
|
for address in newRows:
|
|
addRow(address, newRows[address][0], newRows[address][1])
|
|
completerList.append(unicode(newRows[address][0], encoding="UTF-8") + " <" + address + ">")
|
|
|
|
# sort
|
|
self.ui.tableWidgetAddressBook.sortByColumn(
|
|
0, QtCore.Qt.AscendingOrder)
|
|
self.ui.tableWidgetAddressBook.setSortingEnabled(True)
|
|
self.ui.lineEditTo.completer().model().setStringList(completerList)
|
|
|
|
def rerenderSubscriptions(self):
|
|
self.rerenderTabTreeSubscriptions()
|
|
|
|
def click_pushButtonTTL(self):
|
|
QtGui.QMessageBox.information(self, 'Time To Live', _translate(
|
|
"MainWindow", """The TTL, or Time-To-Live is the length of time that the network will hold the message.
|
|
The recipient must get it during this time. If your Bitmessage client does not hear an acknowledgement, it
|
|
will resend the message automatically. The longer the Time-To-Live, the
|
|
more work your computer must do to send the message. A Time-To-Live of four or five days is often appropriate."""), QtGui.QMessageBox.Ok)
|
|
|
|
def click_pushButtonClear(self):
|
|
self.ui.lineEditSubject.setText("")
|
|
self.ui.lineEditTo.setText("")
|
|
self.ui.textEditMessage.setText("")
|
|
self.ui.comboBoxSendFrom.setCurrentIndex(0)
|
|
|
|
def click_pushButtonSend(self):
|
|
encoding = 3 if QtGui.QApplication.queryKeyboardModifiers() & QtCore.Qt.ShiftModifier else 2
|
|
|
|
self.statusbar.clearMessage()
|
|
|
|
if self.ui.tabWidgetSend.currentIndex() == \
|
|
self.ui.tabWidgetSend.indexOf(self.ui.sendDirect):
|
|
# message to specific people
|
|
sendMessageToPeople = True
|
|
fromAddress = str(self.ui.comboBoxSendFrom.itemData(
|
|
self.ui.comboBoxSendFrom.currentIndex(),
|
|
QtCore.Qt.UserRole).toString())
|
|
toAddresses = str(self.ui.lineEditTo.text().toUtf8())
|
|
subject = str(self.ui.lineEditSubject.text().toUtf8())
|
|
message = str(
|
|
self.ui.textEditMessage.document().toPlainText().toUtf8())
|
|
else:
|
|
# broadcast message
|
|
sendMessageToPeople = False
|
|
fromAddress = str(self.ui.comboBoxSendFromBroadcast.itemData(
|
|
self.ui.comboBoxSendFromBroadcast.currentIndex(),
|
|
QtCore.Qt.UserRole).toString())
|
|
subject = str(self.ui.lineEditSubjectBroadcast.text().toUtf8())
|
|
message = str(
|
|
self.ui.textEditMessageBroadcast.document().toPlainText().toUtf8())
|
|
"""
|
|
The whole network message must fit in 2^18 bytes.
|
|
Let's assume 500 bytes of overhead. If someone wants to get that
|
|
too an exact number you are welcome to but I think that it would
|
|
be a better use of time to support message continuation so that
|
|
users can send messages of any length.
|
|
"""
|
|
if len(message) > (2 ** 18 - 500):
|
|
QtGui.QMessageBox.about(
|
|
self, _translate("MainWindow", "Message too long"),
|
|
_translate(
|
|
"MainWindow",
|
|
"The message that you are trying to send is too long"
|
|
" by %1 bytes. (The maximum is 261644 bytes). Please"
|
|
" cut it down before sending."
|
|
).arg(len(message) - (2 ** 18 - 500)))
|
|
return
|
|
|
|
acct = accountClass(fromAddress)
|
|
|
|
if sendMessageToPeople: # To send a message to specific people (rather than broadcast)
|
|
toAddressesList = [s.strip()
|
|
for s in toAddresses.replace(',', ';').split(';')]
|
|
toAddressesList = list(set(
|
|
toAddressesList)) # remove duplicate addresses. If the user has one address with a BM- and the same address without the BM-, this will not catch it. They'll send the message to the person twice.
|
|
for toAddress in toAddressesList:
|
|
if toAddress != '':
|
|
# label plus address
|
|
if "<" in toAddress and ">" in toAddress:
|
|
toAddress = toAddress.split('<')[1].split('>')[0]
|
|
# email address
|
|
if toAddress.find("@") >= 0:
|
|
if isinstance(acct, GatewayAccount):
|
|
acct.createMessage(toAddress, fromAddress, subject, message)
|
|
subject = acct.subject
|
|
toAddress = acct.toAddress
|
|
else:
|
|
if QtGui.QMessageBox.question(self, "Sending an email?", _translate("MainWindow",
|
|
"You are trying to send an email instead of a bitmessage. This requires registering with a gateway. Attempt to register?"),
|
|
QtGui.QMessageBox.Yes|QtGui.QMessageBox.No) != QtGui.QMessageBox.Yes:
|
|
continue
|
|
email = acct.getLabel()
|
|
if email[-14:] != "@mailchuck.com": #attempt register
|
|
# 12 character random email address
|
|
email = ''.join(random.SystemRandom().choice(string.ascii_lowercase) for _ in range(12)) + "@mailchuck.com"
|
|
acct = MailchuckAccount(fromAddress)
|
|
acct.register(email)
|
|
BMConfigParser().set(fromAddress, 'label', email)
|
|
BMConfigParser().set(fromAddress, 'gateway', 'mailchuck')
|
|
BMConfigParser().save()
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: Your account wasn't registered at"
|
|
" an email gateway. Sending registration"
|
|
" now as %1, please wait for the registration"
|
|
" to be processed before retrying sending."
|
|
).arg(email)
|
|
)
|
|
return
|
|
status, addressVersionNumber, streamNumber, ripe = decodeAddress(
|
|
toAddress)
|
|
if status != 'success':
|
|
try:
|
|
toAddress = unicode(toAddress, 'utf-8', 'ignore')
|
|
except:
|
|
pass
|
|
logger.error('Error: Could not decode recipient address ' + toAddress + ':' + status)
|
|
|
|
if status == 'missingbm':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: Bitmessage addresses start with"
|
|
" BM- Please check the recipient address %1"
|
|
).arg(toAddress))
|
|
elif status == 'checksumfailed':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: The recipient address %1 is not"
|
|
" typed or copied correctly. Please check it."
|
|
).arg(toAddress))
|
|
elif status == 'invalidcharacters':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: The recipient address %1 contains"
|
|
" invalid characters. Please check it."
|
|
).arg(toAddress))
|
|
elif status == 'versiontoohigh':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: The version of the recipient address"
|
|
" %1 is too high. Either you need to upgrade"
|
|
" your Bitmessage software or your"
|
|
" acquaintance is being clever."
|
|
).arg(toAddress))
|
|
elif status == 'ripetooshort':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: Some data encoded in the recipient"
|
|
" address %1 is too short. There might be"
|
|
" something wrong with the software of"
|
|
" your acquaintance."
|
|
).arg(toAddress))
|
|
elif status == 'ripetoolong':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: Some data encoded in the recipient"
|
|
" address %1 is too long. There might be"
|
|
" something wrong with the software of"
|
|
" your acquaintance."
|
|
).arg(toAddress))
|
|
elif status == 'varintmalformed':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: Some data encoded in the recipient"
|
|
" address %1 is malformed. There might be"
|
|
" something wrong with the software of"
|
|
" your acquaintance."
|
|
).arg(toAddress))
|
|
else:
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: Something is wrong with the"
|
|
" recipient address %1."
|
|
).arg(toAddress))
|
|
elif fromAddress == '':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: You must specify a From address. If you"
|
|
" don\'t have one, go to the"
|
|
" \'Your Identities\' tab.")
|
|
)
|
|
else:
|
|
toAddress = addBMIfNotPresent(toAddress)
|
|
|
|
if addressVersionNumber > 4 or addressVersionNumber <= 1:
|
|
QtGui.QMessageBox.about(self, _translate("MainWindow", "Address version number"), _translate(
|
|
"MainWindow", "Concerning the address %1, Bitmessage cannot understand address version numbers of %2. Perhaps upgrade Bitmessage to the latest version.").arg(toAddress).arg(str(addressVersionNumber)))
|
|
continue
|
|
if streamNumber > 1 or streamNumber == 0:
|
|
QtGui.QMessageBox.about(self, _translate("MainWindow", "Stream number"), _translate(
|
|
"MainWindow", "Concerning the address %1, Bitmessage cannot handle stream numbers of %2. Perhaps upgrade Bitmessage to the latest version.").arg(toAddress).arg(str(streamNumber)))
|
|
continue
|
|
self.statusbar.clearMessage()
|
|
if shared.statusIconColor == 'red':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Warning: You are currently not connected."
|
|
" Bitmessage will do the work necessary to"
|
|
" send the message but it won\'t send until"
|
|
" you connect.")
|
|
)
|
|
stealthLevel = BMConfigParser().safeGetInt(
|
|
'bitmessagesettings', 'ackstealthlevel')
|
|
ackdata = genAckPayload(streamNumber, stealthLevel)
|
|
t = ()
|
|
sqlExecute(
|
|
'''INSERT INTO sent VALUES (?,?,?,?,?,?,?,?,?,?,?,?,?,?,?)''',
|
|
'',
|
|
toAddress,
|
|
ripe,
|
|
fromAddress,
|
|
subject,
|
|
message,
|
|
ackdata,
|
|
int(time.time()), # sentTime (this will never change)
|
|
int(time.time()), # lastActionTime
|
|
0, # sleepTill time. This will get set when the POW gets done.
|
|
'msgqueued',
|
|
0, # retryNumber
|
|
'sent', # folder
|
|
encoding, # encodingtype
|
|
BMConfigParser().getint('bitmessagesettings', 'ttl')
|
|
)
|
|
|
|
toLabel = ''
|
|
queryreturn = sqlQuery('''select label from addressbook where address=?''',
|
|
toAddress)
|
|
if queryreturn != []:
|
|
for row in queryreturn:
|
|
toLabel, = row
|
|
|
|
self.displayNewSentMessage(
|
|
toAddress, toLabel, fromAddress, subject, message, ackdata)
|
|
queues.workerQueue.put(('sendmessage', toAddress))
|
|
|
|
self.ui.comboBoxSendFrom.setCurrentIndex(0)
|
|
self.ui.lineEditTo.setText('')
|
|
self.ui.lineEditSubject.setText('')
|
|
self.ui.textEditMessage.reset()
|
|
if self.replyFromTab is not None:
|
|
self.ui.tabWidget.setCurrentIndex(self.replyFromTab)
|
|
self.replyFromTab = None
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow", "Message queued."))
|
|
# self.ui.tableWidgetInbox.setCurrentCell(0, 0)
|
|
else:
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow", "Your \'To\' field is empty."))
|
|
else: # User selected 'Broadcast'
|
|
if fromAddress == '':
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Error: You must specify a From address. If you don\'t"
|
|
" have one, go to the \'Your Identities\' tab."
|
|
))
|
|
else:
|
|
self.statusbar.clearMessage()
|
|
# We don't actually need the ackdata for acknowledgement since
|
|
# this is a broadcast message, but we can use it to update the
|
|
# user interface when the POW is done generating.
|
|
streamNumber = decodeAddress(fromAddress)[2]
|
|
ackdata = genAckPayload(streamNumber, 0)
|
|
toAddress = str_broadcast_subscribers
|
|
ripe = ''
|
|
t = ('', # msgid. We don't know what this will be until the POW is done.
|
|
toAddress,
|
|
ripe,
|
|
fromAddress,
|
|
subject,
|
|
message,
|
|
ackdata,
|
|
int(time.time()), # sentTime (this will never change)
|
|
int(time.time()), # lastActionTime
|
|
0, # sleepTill time. This will get set when the POW gets done.
|
|
'broadcastqueued',
|
|
0, # retryNumber
|
|
'sent', # folder
|
|
encoding, # encoding type
|
|
BMConfigParser().getint('bitmessagesettings', 'ttl')
|
|
)
|
|
sqlExecute(
|
|
'''INSERT INTO sent VALUES (?,?,?,?,?,?,?,?,?,?,?,?,?,?,?)''', *t)
|
|
|
|
toLabel = str_broadcast_subscribers
|
|
|
|
self.displayNewSentMessage(
|
|
toAddress, toLabel, fromAddress, subject, message, ackdata)
|
|
|
|
queues.workerQueue.put(('sendbroadcast', ''))
|
|
|
|
self.ui.comboBoxSendFromBroadcast.setCurrentIndex(0)
|
|
self.ui.lineEditSubjectBroadcast.setText('')
|
|
self.ui.textEditMessageBroadcast.reset()
|
|
self.ui.tabWidget.setCurrentIndex(
|
|
self.ui.tabWidget.indexOf(self.ui.send)
|
|
)
|
|
self.ui.tableWidgetInboxSubscriptions.setCurrentCell(0, 0)
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow", "Broadcast queued."))
|
|
|
|
def click_pushButtonLoadFromAddressBook(self):
|
|
self.ui.tabWidget.setCurrentIndex(5)
|
|
for i in range(4):
|
|
time.sleep(0.1)
|
|
self.statusbar.clearMessage()
|
|
time.sleep(0.1)
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow",
|
|
"Right click one or more entries in your address book and"
|
|
" select \'Send message to this address\'."
|
|
))
|
|
|
|
def click_pushButtonFetchNamecoinID(self):
|
|
nc = namecoinConnection()
|
|
identities = str(self.ui.lineEditTo.text().toUtf8()).split(";")
|
|
err, addr = nc.query(identities[-1].strip())
|
|
if err is not None:
|
|
self.updateStatusBar(
|
|
_translate("MainWindow", "Error: %1").arg(err))
|
|
else:
|
|
identities[-1] = addr
|
|
self.ui.lineEditTo.setText("; ".join(identities))
|
|
self.updateStatusBar(_translate(
|
|
"MainWindow", "Fetched address from namecoin identity."))
|
|
|
|
def setBroadcastEnablementDependingOnWhetherThisIsAMailingListAddress(self, address):
|
|
# If this is a chan then don't let people broadcast because no one
|
|
# should subscribe to chan addresses.
|
|
self.ui.tabWidgetSend.setCurrentIndex(
|
|
self.ui.tabWidgetSend.indexOf(
|
|
self.ui.sendBroadcast
|
|
if BMConfigParser().safeGetBoolean(str(address), 'mailinglist')
|
|
else self.ui.sendDirect
|
|
))
|
|
|
|
def rerenderComboBoxSendFrom(self):
|
|
self.ui.comboBoxSendFrom.clear()
|
|
for addressInKeysFile in getSortedAccounts():
|
|
isEnabled = BMConfigParser().getboolean(
|
|
addressInKeysFile, 'enabled') # I realize that this is poor programming practice but I don't care. It's easier for others to read.
|
|
isMaillinglist = BMConfigParser().safeGetBoolean(addressInKeysFile, 'mailinglist')
|
|
if isEnabled and not isMaillinglist:
|
|
label = unicode(BMConfigParser().get(addressInKeysFile, 'label'), 'utf-8', 'ignore').strip()
|
|
if label == "":
|
|
label = addressInKeysFile
|
|
self.ui.comboBoxSendFrom.addItem(avatarize(addressInKeysFile), label, addressInKeysFile)
|
|
# self.ui.comboBoxSendFrom.model().sort(1, Qt.AscendingOrder)
|
|
for i in range(self.ui.comboBoxSendFrom.count()):
|
|
address = str(self.ui.comboBoxSendFrom.itemData(
|
|
i, QtCore.Qt.UserRole).toString())
|
|
self.ui.comboBoxSendFrom.setItemData(
|
|
i, AccountColor(address).accountColor(),
|
|
QtCore.Qt.ForegroundRole)
|
|
self.ui.comboBoxSendFrom.insertItem(0, '', '')
|
|
if(self.ui.comboBoxSendFrom.count() == 2):
|
|
self.ui.comboBoxSendFrom.setCurrentIndex(1)
|
|
else:
|
|
self.ui.comboBoxSendFrom.setCurrentIndex(0)
|
|
|
|
def rerenderComboBoxSendFromBroadcast(self):
|
|
self.ui.comboBoxSendFromBroadcast.clear()
|
|
for addressInKeysFile in getSortedAccounts():
|
|
isEnabled = BMConfigParser().getboolean(
|
|
addressInKeysFile, 'enabled') # I realize that this is poor programming practice but I don't care. It's easier for others to read.
|
|
isChan = BMConfigParser().safeGetBoolean(addressInKeysFile, 'chan')
|
|
if isEnabled and not isChan:
|
|
label = unicode(BMConfigParser().get(addressInKeysFile, 'label'), 'utf-8', 'ignore').strip()
|
|
if label == "":
|
|
label = addressInKeysFile
|
|
self.ui.comboBoxSendFromBroadcast.addItem(avatarize(addressInKeysFile), label, addressInKeysFile)
|
|
for i in range(self.ui.comboBoxSendFromBroadcast.count()):
|
|
address = str(self.ui.comboBoxSendFromBroadcast.itemData(
|
|
i, QtCore.Qt.UserRole).toString())
|
|
self.ui.comboBoxSendFromBroadcast.setItemData(
|
|
i, AccountColor(address).accountColor(),
|
|
QtCore.Qt.ForegroundRole)
|
|
self.ui.comboBoxSendFromBroadcast.insertItem(0, '', '')
|
|
if(self.ui.comboBoxSendFromBroadcast.count() == 2):
|
|
self.ui.comboBoxSendFromBroadcast.setCurrentIndex(1)
|
|
else:
|
|
self.ui.comboBoxSendFromBroadcast.setCurrentIndex(0)
|
|
|
|
# This function is called by the processmsg function when that function
|
|
# receives a message to an address that is acting as a
|
|
# pseudo-mailing-list. The message will be broadcast out. This function
|
|
# puts the message on the 'Sent' tab.
|
|
def displayNewSentMessage(self, toAddress, toLabel, fromAddress, subject, message, ackdata):
|
|
acct = accountClass(fromAddress)
|
|
acct.parseMessage(toAddress, fromAddress, subject, message)
|
|
tab = -1
|
|
for sent in [self.ui.tableWidgetInbox, self.ui.tableWidgetInboxSubscriptions, self.ui.tableWidgetInboxChans]:
|
|
tab += 1
|
|
if tab == 1:
|
|
tab = 2
|
|
treeWidget = self.widgetConvert(sent)
|
|
if self.getCurrentFolder(treeWidget) != "sent":
|
|
continue
|
|
if treeWidget == self.ui.treeWidgetYourIdentities and self.getCurrentAccount(treeWidget) not in (fromAddress, None, False):
|
|
continue
|
|
elif treeWidget in [self.ui.treeWidgetSubscriptions, self.ui.treeWidgetChans] and self.getCurrentAccount(treeWidget) != toAddress:
|
|
continue
|
|
elif not helper_search.check_match(toAddress, fromAddress, subject, message, self.getCurrentSearchOption(tab), self.getCurrentSearchLine(tab)):
|
|
continue
|
|
|
|
self.addMessageListItemSent(sent, toAddress, fromAddress, subject, "msgqueued", ackdata, time.time())
|
|
self.getAccountTextedit(acct).setPlainText(unicode(message, 'utf-8', 'replace'))
|
|
sent.setCurrentCell(0, 0)
|
|
|
|
def displayNewInboxMessage(self, inventoryHash, toAddress, fromAddress, subject, message):
|
|
if toAddress == str_broadcast_subscribers:
|
|
acct = accountClass(fromAddress)
|
|
else:
|
|
acct = accountClass(toAddress)
|
|
inbox = self.getAccountMessagelist(acct)
|
|
ret = None
|
|
tab = -1
|
|
for treeWidget in [self.ui.treeWidgetYourIdentities, self.ui.treeWidgetSubscriptions, self.ui.treeWidgetChans]:
|
|
tab += 1
|
|
if tab == 1:
|
|
tab = 2
|
|
tableWidget = self.widgetConvert(treeWidget)
|
|
if not helper_search.check_match(toAddress, fromAddress, subject, message, self.getCurrentSearchOption(tab), self.getCurrentSearchLine(tab)):
|
|
continue
|
|
if tableWidget == inbox and self.getCurrentAccount(treeWidget) == acct.address and self.getCurrentFolder(treeWidget) in ["inbox", None]:
|
|
ret = self.addMessageListItemInbox(inbox, "inbox", inventoryHash, toAddress, fromAddress, subject, time.time(), 0)
|
|
elif treeWidget == self.ui.treeWidgetYourIdentities and self.getCurrentAccount(treeWidget) is None and self.getCurrentFolder(treeWidget) in ["inbox", "new", None]:
|
|
ret = self.addMessageListItemInbox(tableWidget, "inbox", inventoryHash, toAddress, fromAddress, subject, time.time(), 0)
|
|
if ret is None:
|
|
acct.parseMessage(toAddress, fromAddress, subject, "")
|
|
else:
|
|
acct = ret
|
|
self.propagateUnreadCount(acct.address)
|
|
if BMConfigParser().getboolean(
|
|
'bitmessagesettings', 'showtraynotifications'):
|
|
self.notifierShow(
|
|
_translate("MainWindow", "New Message"),
|
|
_translate("MainWindow", "From %1").arg(
|
|
unicode(acct.fromLabel, 'utf-8')),
|
|
sound.SOUND_UNKNOWN
|
|
)
|
|
if self.getCurrentAccount() is not None and ((self.getCurrentFolder(treeWidget) != "inbox" and self.getCurrentFolder(treeWidget) is not None) or self.getCurrentAccount(treeWidget) != acct.address):
|
|
# Ubuntu should notify of new message irespective of
|
|
# whether it's in current message list or not
|
|
self.indicatorUpdate(True, to_label=acct.toLabel)
|
|
# cannot find item to pass here ):
|
|
if hasattr(acct, "feedback") \
|
|
and acct.feedback != GatewayAccount.ALL_OK:
|
|
if acct.feedback == GatewayAccount.REGISTRATION_DENIED:
|
|
dialogs.EmailGatewayDialog(
|
|
self, BMConfigParser(), acct).exec_( |