This repository has been archived by the owner on Mar 14, 2023. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 25
/
gateway.py
1291 lines (1150 loc) · 35.4 KB
/
gateway.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python2
# coding: utf-8
# vk4xmpp gateway, v3.6
# © simpleApps, 2013 — 2018.
# Program published under the MIT license.
# Disclamer: be aware that this program's code may hurt your eyes or feelings.
# You were warned.
__author__ = "mrDoctorWho <[email protected]>"
__license__ = "MIT"
__version__ = "3.6"
import hashlib
import logging
import os
import re
import signal
import sys
import threading
import time
from argparse import ArgumentParser
try:
import ujson as json
except ImportError:
import json
core = getattr(sys.modules["__main__"], "__file__", None)
root = "."
if core:
core = os.path.abspath(core)
root = os.path.dirname(core)
if root:
os.chdir(root)
sys.path.insert(0, "library")
sys.path.insert(1, "modules")
reload(sys)
sys.setdefaultencoding("utf-8")
# Now we can import our own modules
import xmpp
from itypes import Database
from stext import setVars, _
from defaults import *
from printer import *
from webtools import *
Users = {}
Semaphore = threading.Semaphore()
# command line arguments
argParser = ArgumentParser()
argParser.add_argument("-c", "--config",
help="set the general config file destination", default="Config.txt")
argParser.add_argument("-d", "--daemon",
help="run in daemon mode (no auto-restart)", action="store_true")
args = argParser.parse_args()
Daemon = args.daemon
Config = args.config
startTime = int(time.time())
DatabaseFile = None
TransportID = None
Host = None
Server = None
Port = None
Password = None
LAST_REPORT = None
execfile(Config)
Print("#-# Config loaded successfully.")
# logger
logger = logging.getLogger("vk4xmpp")
logger.setLevel(LOG_LEVEL)
loggerHandler = logging.FileHandler(logFile)
formatter = logging.Formatter("%(asctime)s %(levelname)s:"
"%(name)s: %(message)s", "%d.%m.%Y %H:%M:%S")
loggerHandler.setFormatter(formatter)
logger.addHandler(loggerHandler)
# now we can import the last modules
from writer import *
from settings import *
import vkapi as api
import utils
# Setting variables
# DefLang for language id, root for the translations directory
setVars(DefLang, root)
if THREAD_STACK_SIZE:
threading.stack_size(THREAD_STACK_SIZE)
del formatter, loggerHandler
if os.name == "posix":
OS = "{0} {2:.16} [{4}]".format(*os.uname())
else:
import platform
OS = "Windows {0}".format(*platform.win32_ver())
PYTHON_VERSION = "{0} {1}.{2}.{3}".format(sys.subversion[0], *sys.version_info)
# See extensions/.example.py for more information about handlers
Handlers = {"msg01": [], "msg02": [],
"msg03": [], "evt01": [],
"evt02": [], "evt03": [],
"evt04": [], "evt05": [],
"evt06": [], "evt07": [],
"prs01": [], "prs02": [],
"evt08": [], "evt09": []}
Stats = {"msgin": 0, # from vk
"msgout": 0, # to vk
"method": 0}
MAX_MESSAGES_PER_REQUEST = 20
# Status code that indicates what to do with returning body from plugins
MSG_SKIP = -1
MSG_PREPEND = 0
MSG_APPEND = 1
# Timeout after which user is considered paused typing
TYPING_TIMEOUT = 5
# Timeout for friends updating
FRIENDS_UPDATE_TIMEOUT = 300
def runDatabaseQuery(query, args=(), set=False, many=True):
"""
Executes the given sql to the database
Args:
query: the sql query to execute
args: the query argument
set: whether to commit after the execution
many: whether to return more than one result
Returns:
The query execution result
"""
semph = None
if threading.currentThread() != "MainThread":
semph = Semaphore
with Database(DatabaseFile, semph) as db:
db(query, args)
if set:
db.commit()
result = None
elif many:
result = db.fetchall()
else:
result = db.fetchone()
return result
def initDatabase(filename):
"""
Initializes database if it doesn't exist
Args:
filename: the database filename
"""
runDatabaseQuery("create table if not exists users"
"(jid text, username text, token text, "
"lastMsgID integer, rosterSet bool)", set=True)
return True
def executeHandlers(type, list=()):
"""
Executes all handlers with the given type
Args:
type: the handlers type
list: the arguments to pass to handlers
"""
handlers = Handlers[type]
for handler in handlers:
utils.execute(handler, list)
def registerHandler(type, func):
"""
Register a handler
Args:
type: the handler type
func: the function to register
"""
logger.info("main: add \"%s\" to handle type %s", func.func_name, type)
for handler in Handlers[type]:
if handler.func_name == func.func_name:
Handlers[type].remove(handler)
Handlers[type].append(func)
def getGatewayRev():
"""
Gets gateway revision using git or custom revision number
"""
number, hash = 480, 0
shell = os.popen("git describe --always &"
"& git log --pretty=format:''").readlines()
if shell:
number, hash = len(shell), shell[0]
return "#%s-%s" % (number, hash)
def vk2xmpp(id):
"""
Converts a numeric VK ID to a Jabber ID and vice versa
Args:
id: a Jabber or VK id
Returns:
id@TransportID if parameter id is a number
id if parameter "id" is id@TransportID
TransportID if the given id is equal to TransportID
"""
if not utils.isNumber(id) and "@" in id:
id = id.split("@")[0]
if utils.isNumber(id):
id = int(id)
elif id != TransportID:
id = u"%s@%s" % (id, TransportID)
return id
REVISION = getGatewayRev()
# Escape xmpp non-allowed chars
badChars = [x for x in xrange(32) if x not in (9, 10, 13)] + [57003, 65535]
escape = re.compile("|".join(unichr(x) for x in badChars),
re.IGNORECASE | re.UNICODE | re.DOTALL).sub
sortMsg = lambda first, second: first.get("id", 0) - second.get("id", 0)
require = lambda name: os.path.exists("extensions/%s.py" % name)
isdef = lambda var: var in globals()
findUserInDB = lambda source: runDatabaseQuery("select * from users where jid=?", (source,), many=False)
class Transport(object):
"""
A dummy class to store settings (ATM)
"""
def __init__(self):
self.settings = Settings(TransportID, user=False)
class VK(object):
"""
Contains methods to handle the VK stuff
"""
def __init__(self, token=None, source=None):
self.token = token
self.source = source
self.pollConfig = {"mode": 66, "wait": 30, "act": "a_check", "version": 3}
self.pollServer = ""
self.pollInitialized = False
self.engine = None
self.online = False
self.userID = 0
self.methods = 0
self.lists = []
self.friends_fields = {"screen_name", "online"}
self.engine = None
self.cache = {}
self.permissions = 0
self.timezone = 0
logger.debug("VK initialized (jid: %s)", source)
def __str__(self):
return ("user id: %s; timezone: %s; online: %s; token: %s" %
(self.userID, self.timezone, self.online, self.token))
def init(self):
self.getUserPreferences()
self.getPermissions()
getToken = lambda self: self.engine.token
def checkToken(self):
"""
Checks the token
"""
try:
data = self.engine.method("users.get")
if not data:
raise RuntimeError("Unable to get data for user!")
except api.VkApiError:
logger.error("unable to check user's token, error: %s (user: %s)",
traceback.format_exc(), self.source)
return False
return True
def auth(self):
"""
Initializes the APIBinding object
Returns:
True if everything went fine
"""
logger.debug("VK going to authenticate (jid: %s)", self.source)
self.engine = api.APIBinding(self.token, DEBUG_API, self.source)
if not self.checkToken():
raise api.TokenError("The token is invalid (jid: %s, token: %s)"
% (self.source, self.token))
self.online = True
return True
def initPoll(self):
"""
Initializes longpoll
Returns:
False: if any error occurred
True: if everything went just fine
"""
self.pollInitialized = False
logger.debug("longpoll: requesting server address (jid: %s)", self.source)
try:
response = self.method("messages.getLongPollServer", {"use_ssl": 1, "need_pts": 0})
except Exception:
response = None
if not response:
logger.warning("longpoll: no response!")
return False
self.pollServer = "https://%s" % response.pop("server")
self.pollConfig.update(response)
logger.debug("longpoll: server: %s (jid: %s)",
self.pollServer, self.source)
self.pollInitialized = True
return True
# TODO: move it the hell outta here
# wtf it's still doing here?
def makePoll(self):
"""
Returns:
socket connected to the poll server
Raises api.LongPollError if poll not yet initialized (self.pollInitialized)
"""
if not self.pollInitialized:
raise api.LongPollError("The Poll wasn't initialized yet")
return api.AsyncHTTPRequest.getOpener(self.pollServer, self.pollConfig)
def method(self, method, args=None, force=False, notoken=False):
"""
This is a duplicate function of self.engine.method
Needed to handle errors properly exactly in __main__
Args:
method: a VK API method
args: method arguments
force: whether to force execution (ignore self.online and captcha)
notoken: whether to cut the token from the request
Returns:
The method execution result
See library/vkapi.py for more information about exceptions
"""
args = args or {}
result = {}
self.methods += 1
Stats["method"] += 1
if not self.engine.captcha and (self.online or force):
try:
result = self.engine.method(method, args, notoken=notoken)
except (api.InternalServerError, api.AccessDenied) as e:
if force:
raise
except api.CaptchaNeeded as e:
executeHandlers("evt04", (self.source, self.engine.captcha))
self.online = False
except api.NetworkNotFound as e:
self.online = False
except api.NotAllowed as e:
if self.engine.lastMethod[0] == "messages.send":
sendMessage(self.source,
vk2xmpp(args.get("user_id", TransportID)),
_("You're not allowed to perform this action."))
except api.VkApiError as e:
# There are several types of VkApiError
# But the user definitely must be removed.
# The question is: how?
# Should we completely exterminate them or just remove?
remove = False
m = e.message
# TODO: Make new exceptions for each of the conditions below
if m == "User authorization failed: user revoke access for this token.":
remove = True
elif m == "User authorization failed: invalid access_token.":
sendMessage(self.source, TransportID, m + " Please, register again")
if remove:
utils.runThread(removeUser, (self.source, remove))
self.online = False
logger.error("VK: apiError %s (jid: %s)", m, self.source)
else:
return result
logger.error("VK: error %s occurred while executing"
" method(%s) (%s) (jid: %s)",
e.__class__.__name__, method, e.message, self.source)
return result
@utils.threaded
def disconnect(self):
"""
Stops all user handlers and removes the user from Poll
"""
self.online = False
logger.debug("VK: user %s has left", self.source)
executeHandlers("evt06", (self,))
self.setOffline()
def setOffline(self):
"""
Sets the user status to offline
"""
self.method("account.setOffline")
def setOnline(self):
"""
Sets the user status to online
"""
self.method("account.setOnline")
@staticmethod
def formatName(data):
"""
Extracts a string name from a user object
Args:
user: a VK user object which is a dict with the first_name and last_name keys
Returns:
User's first and last name
"""
name = escape("", "%(first_name)s %(last_name)s" % data)
del data["first_name"]
del data["last_name"]
return name
def getFriends(self, fields=None, limit=MAX_FRIENDS):
"""
Executes the friends.get method and formats it in the key-value style
Example:
{1: {"name": "Pavel Durov", "online": False}
Args:
fields: a list of advanced fields to receive
Which will be added in the result values
"""
fields = fields or self.friends_fields
raw = self.method("friends.get", {"fields": str.join(",", fields), "count": limit}) or {}
raw = raw.get("items", {})
friends = {}
for friend in raw:
uid = friend["id"]
online = friend.get("online")
if online is None:
logger.warning("No online for friend: %d (jid: %s)", friend, self.source)
online = False
name = self.formatName(friend)
friends[uid] = {"name": name, "online": online, "lists": friend.get("lists")}
for key in fields:
friends[uid][key] = friend.get(key)
return friends
@staticmethod
def getPeerIds(conversations, source=None):
"""
Returns a list of peer ids that exist in the given conversations
Args:
conversations: list of Conversations objects
Returns:
A list of peer id strings
"""
peers = []
if not conversations:
logger.warning("no conversations for (jid: %s)", source)
return peers
for conversation in conversations:
if isinstance(conversation, dict):
innerConversation = conversation.get("conversation")
if innerConversation:
peers.append(str(innerConversation["peer"]["id"]))
return peers
def getMessagesBulk(self, peers, count=20, mid=0):
"""
Receives messages for all the conversations' peers
25 is the maximum number of conversations we can receive in a single request
The sky is the limit!
Args:
peers: a list of peer ids (strings)
messages: a list of messages (used internally)
count: the number of messages to receive
uid: the last message id
Returns:
A list of VK Message objects
"""
step = 20
messages = []
if peers:
cursor = 0
for i in xrange(step, len(peers) + step, step):
tempPeers = peers[cursor:i]
users = ",".join(tempPeers)
response = self.method("execute.getMessagesBulk",
{"users": users,
"start_message_id": mid,
"count": count})
if response:
for item in response:
item = item.get("items")
if not item:
continue
messages.extend(item)
else:
# not sure if that's okay
# VK is totally unpredictable now
logger.warning("No response for execute.getMessagesBulk!"
+" Users: %s, mid: %s (jid: %s)", users, mid, self.source)
cursor += step
return messages
def getMessages(self, count=20, mid=0, uid=0, filter_="unread"):
"""
Gets the last messages list
Args:
count: the number of messages to receive
mid: the last message id
Returns:
A list of VK Message objects
"""
if uid == 0:
conversations = self.method("messages.getConversations", {"count": count, "filter": filter_}) or {}
conversations = conversations.get("items")
else:
conversations = [{"conversation": {"peer": {"id": uid}}}]
peers = VK.getPeerIds(conversations, self.source)
return self.getMessagesBulk(peers, count=count, mid=mid)
# TODO: put this in the DB
def getUserPreferences(self):
"""
Receives the user's id and timezone
Returns:
The current user id
"""
if not self.userID or not self.timezone:
data = self.method("users.get", {"fields": "timezone"})
if data:
data = data.pop()
self.timezone = data.get("timezone")
self.userID = data.get("id")
return (self.userID, self.timezone)
def getPermissions(self):
"""
Update the app permissions
Returns:
The current permission mask
"""
if not self.permissions:
self.permissions = self.method("account.getAppPermissions")
return self.permissions
def getLists(self):
"""
Receive the list of the user friends' groups
Returns:
a list of user friends groups
"""
if not self.lists:
self.lists = self.method("friends.getLists")
return self.lists
@utils.cache
def getGroupData(self, gid, fields=None):
"""
Gets group data (only name so far)
Args:
gid: the group id
fields: a list of advanced fields to receive
Returns:
The group information
"""
fields = fields or ["name"]
data = self.method("groups.getById", {"group_id": abs(gid), "fields": str.join(",", fields)})
if data:
data = data[0]
return data
raise RuntimeError("Unable to get group data for %d" % gid)
@utils.cache
def getUserData(self, uid, fields=None):
"""
Gets user data. Such as name, photo, etc
Args:
uid: the user id (list or str)
fields: a list of advanced fields to receive
Returns:
The user information
"""
if uid < 0:
raise RuntimeError("Unable to get user name. User ids can't be negative: %d" % uid)
if not fields:
user = Users.get(self.source)
if user and uid in user.friends:
return user.friends[uid]
fields = ["screen_name"]
if isinstance(uid, (list, tuple)):
uid = str.join(",", uid)
data = self.method("users.get", {"user_ids": uid, "fields": str.join(",", fields)})
if data:
data = data[0]
data["name"] = self.formatName(data)
return data
raise RuntimeError("Unable to get the user's name for %d" % uid)
def getName(self, id_):
return self.getData(id_).get("name", "Unknown group (id: %s)" % id_)
def getData(self, id_, fields=None):
if id_ > 0:
data = self.getUserData(id_, fields)
else:
data = self.getGroupData(id_, fields)
return data
def sendMessage(self, body, id, mType="user_id", more={}):
"""
Sends message to a VK user (or a chat)
Args:
body: the message body
id: the user id
mType: the message type (user_id is for dialogs, chat_id is for chats)
more: for advanced fields such as attachments
Returns:
The result of sending the message
"""
Stats["msgout"] += 1
values = {mType: id, "message": body, "type": 0, "random_id": int(time.time())}
values.update(more)
try:
result = self.method("messages.send", values)
except api.VkApiError:
crashLog("messages.send") # this actually never happens
result = False
return result
class User(object):
"""
Handles XMPP and VK stuff
"""
def __init__(self, source=""):
self.friends = {}
self.typing = {}
self.msgCacheByUser = {} # the cache of associations vk mid: xmpp mid
self.lastMsgByUser = {} # the cache of last messages sent to user (user id: msg id)
self.source = source # TODO: rename to jid
self.lastMsgID = 0
self.rosterSet = None
self.username = None
self.resources = set([])
self.settings = Settings(source)
self.last_udate = time.time()
self.sync = threading.Lock()
logger.debug("User initialized (jid: %s)", self.source)
def sendMessage(self, body, id, mType="user_id", more={}, mid=0):
result = self.vk.sendMessage(body, id, mType, more)
if mid:
self.msgCacheByUser[int(id)] = {"xmpp": mid, "vk": result}
return result
def connect(self, username=None, password=None, token=None):
"""
Initializes a VK() object and tries to make an authorization if no token provided
Args:
username: the user's phone number or e-mail for password authentication
password: the user's account password
token: the user's token
Returns:
True if everything went fine
"""
logger.debug("User connecting (jid: %s)", self.source)
exists = False
user = findUserInDB(self.source) # check if user registered
if user:
exists = True
logger.debug("User was found in the database... (jid: %s)", self.source)
if not token:
logger.debug("... but no token was given. Using the one from the database (jid: %s)", self.source)
_, _, token, self.lastMsgID, self.rosterSet = user
if not (token or password):
logger.warning("User wasn't found in the database and no token or password was given!")
raise RuntimeError("Either no token or password was given!")
if password:
logger.debug("Going to authenticate via password (jid: %s)", self.source)
pwd = api.PasswordLogin(username, password).login()
token = pwd.confirm()
self.vk = vk = VK(token, self.source)
try:
vk.auth()
except api.CaptchaNeeded:
self.sendSubPresence()
logger.error("User: running captcha challenge (jid: %s)", self.source)
executeHandlers("evt04", (self.source, self.vk.engine.captcha))
return True
else:
logger.debug("User seems to be authenticated (jid: %s)", self.source)
if exists:
# Anyways, it won't hurt anyone
runDatabaseQuery("update users set token=? where jid=?",
(vk.getToken(), self.source), True)
else:
runDatabaseQuery("insert into users (jid, token, lastMsgID, rosterSet) values (?,?,?,?)",
(self.source, vk.getToken(),
self.lastMsgID, self.rosterSet), True)
executeHandlers("evt07", (self,))
vk.init()
# TODO: move friends to VK() and check last update timeout?
# Currently, every time we request friends a new object is being created
# As we request it very frequently, it might be better to move
# getFriends() to vk.init() and every time check if the list is due for the update
self.friends = vk.getFriends()
return vk.online
def markRosterSet(self):
"""
Marks the user's roster as already set, so the gateway won't need to send it again
"""
self.rosterSet = True
runDatabaseQuery("update users set rosterSet=? where jid=?",
(self.rosterSet, self.source), True)
def initialize(self, force=False, send=True, resource=None, first=False):
"""
Initializes user after the connection has been completed
Args:
force: force sending subscription presence
send: whether to send the init presence
resource: add resource in self.resources to prevent unneeded stanza sending
first: whether to initialize the user for the first time (during registration)
"""
logger.debug("User: beginning user initialization (jid: %s)", self.source)
Users[self.source] = self
if not self.friends:
self.friends = self.vk.getFriends()
if force or not self.rosterSet:
logger.debug("User: sending subscription presence with force:%s (jid: %s)",
force, self.source)
import rostermanager
rostermanager.Roster.checkRosterx(self, resource)
if send:
self.sendInitPresence()
if resource:
self.resources.add(resource)
utils.runThread(self.vk.getUserPreferences)
if first:
self.sendMessages(True, filter_="unread")
else:
self.sendMessages(True)
Poll.add(self)
utils.runThread(executeHandlers, ("evt05", (self,)))
def sendInitPresence(self):
"""
Sends available presence to the user from all online friends
"""
if not self.vk.engine.captcha:
if not self.friends:
self.friends = self.vk.getFriends()
logger.debug("User: sending init presence (friends count: %s) (jid %s)",
len(self.friends), self.source)
for uid, value in self.friends.iteritems():
if value["online"]:
sendPresence(self.source, vk2xmpp(uid), hash=USER_CAPS_HASH)
sendPresence(self.source, TransportID, hash=TRANSPORT_CAPS_HASH)
def sendOutPresence(self, destination, reason=None, all=False):
"""
Sends the unavailable presence to destination. Defines a reason if set.
Args:
destination: to whom send the stanzas
reason: the reason why going offline
all: send the unavailable presence from all the friends or only the ones who's online
"""
logger.debug("User: sending out presence to %s", self.source)
friends = self.friends.keys()
if not all and friends:
friends = filter(lambda key: self.friends[key]["online"], friends)
for uid in friends + [TransportID]:
sendPresence(destination, vk2xmpp(uid), "unavailable", reason=reason)
def sendSubPresence(self, dist=None):
"""
Sends the subscribe presence to self.source
Args:
dist: friends list
"""
dist = dist or {}
for uid, value in dist.iteritems():
sendPresence(self.source, vk2xmpp(uid), "subscribe", value["name"])
sendPresence(self.source, TransportID, "subscribe", IDENTIFIER["name"])
# TODO: Only mark roster set when we received authorized/subscribed event from the user
if dist:
self.markRosterSet()
def sendMessages(self, init=False, messages=None, mid=0, uid=0, filter_="unread"):
"""
Sends messages from vk to xmpp and call message01 handlers
Args:
init: needed to know if function called at init (add time or not)
messages: a list of pre-defined messages that would be handled and sent (w/o requesting new ones)
mid: last message id
uid: user id
filter_: what filter to use (all/unread)
"""
with self.sync:
date = 0
if not messages:
messages = self.vk.getMessages(MAX_MESSAGES_PER_REQUEST, mid or self.lastMsgID, uid, filter_)
messages = sorted(messages, sortMsg)
for message in messages:
# check if message wasn't sent by our user
if not message["out"]:
if self.lastMsgID >= message["id"]:
continue
Stats["msgin"] += 1
frm = message["from_id"]
mid = message["id"]
self.removeTyping(frm)
fromjid = vk2xmpp(frm)
body = uhtml(message["text"])
iter_ = Handlers["msg01"].__iter__()
for func in iter_:
try:
status, data = func(self, message)
except Exception:
status, data = MSG_APPEND, ""
crashLog("handle.%s" % func.__name__)
# got ignore status, continuing execution
if status == MSG_SKIP:
for func in iter_:
utils.execute(func, (self, message))
break
elif status == MSG_APPEND:
body += data
elif status == MSG_PREPEND:
body = data + body
else:
if self.settings.force_vk_date or init:
date = message["date"]
self.lastMsgByUser[frm] = mid
sendMessage(self.source, fromjid, escape("", body), date, mid=mid)
if messages:
newLastMsgID = messages[-1]["id"]
if newLastMsgID > self.lastMsgID:
self.lastMsgID = newLastMsgID
runDatabaseQuery("update users set lastMsgID=? where jid=?",
(newLastMsgID, self.source), True)
def removeTyping(self, frm):
if frm in self.typing:
del self.typing[frm]
def updateTypingUsers(self, cTime):
"""
Sends "paused" message event to stop user from composing a message
Sends only if last typing activity in VK was more than 7 seconds ago
Args:
cTime: current time
"""
with self.sync:
for user, last in self.typing.items():
if cTime - last > TYPING_TIMEOUT:
del self.typing[user]
sendMessage(self.source, vk2xmpp(user), typ="paused")
def updateFriends(self, cTime):
"""
Updates friends list.
Compares the current friends list to the new list
Takes a corresponding action if any difference found
"""
if (cTime - self.last_udate) > FRIENDS_UPDATE_TIMEOUT and not self.vk.engine.captcha:
if self.settings.keep_online:
self.vk.setOnline()
else:
self.vk.setOffline()
self.last_udate = cTime
friends = self.vk.getFriends()
if not friends:
logger.error("updateFriends: no friends received (jid: %s).",
self.source)
return None
for uid in friends:
if uid not in self.friends:
self.sendSubPresence({uid: friends[uid]})
for uid in self.friends:
if uid not in friends:
sendPresence(self.source, vk2xmpp(uid), "unsubscribe")
self.friends = friends
def reauth(self):
"""
Tries to execute self.initialize() again and connect() if needed
Usually needed after captcha challenge is done
"""
logger.debug("calling reauth for user (jid: %s)", self.source)
if not self.vk.online:
self.connect()
self.initialize()
def captchaChallenge(self, key):
"""
Sets the captcha key and sends it to VK
Args:
key: the captcha text
"""
engine = self.vk.engine
engine.captcha["key"] = key
logger.debug("retrying for user (jid: %s)", self.source)
if engine.retry():
self.reauth()
def __str__(self):
return "User(token=%s, source=%s, friends_count=%s)" % (self.vk.getToken(), self.source, len(self.friends))
def sendPresence(destination, source, pType=None, nick=None,
reason=None, hash=None, show=None):
"""
Sends a presence to destination from source
Args:
destination: whom send the presence to
source: who send the presence from
pType: the presence type
nick: add <nick> tag
reason: set status message
hash: add caps hash
show: add status show
"""
presence = xmpp.Presence(destination, pType,
frm=source, status=reason, show=show)
if nick:
presence.setTag("nick", namespace=xmpp.NS_NICK)
presence.setTagData("nick", nick)
if hash:
presence.setTag("c", {"node": CAPS_NODE, "ver": hash, "hash": "sha-1"}, xmpp.NS_CAPS)
executeHandlers("prs02", (presence, destination, source))
sender(Component, presence)
def sendMessage(destination, source, body=None, timestamp=0, typ="active", mtype="chat", mid=0):
"""
Sends message to destination from source
Args:
destination: to whom send the message
source: from who send the message
body: message body
timestamp: message timestamp (XEP-0091)
typ: xmpp chatstates type (XEP-0085)
mtype: the message type
mid: message id
"""
msg = xmpp.Message(destination, body, mtype, frm=source)
msg.setTag(typ, namespace=xmpp.NS_CHATSTATES)
if timestamp:
timestamp = time.gmtime(timestamp)
msg.setTimestamp(time.strftime("%Y%m%dT%H:%M:%S", timestamp))
if mid:
msg.setID(mid)
executeHandlers("msg03", (msg, destination, source))
sender(Component, msg)
def sendChatMarker(destination, source, mid, typ="displayed"):
"""
Sends a chat marker as per XEP-0333
Args:
destination: to whom send the marker
source: from who send the marker
mid: which message id should be marked as read
typ: marker type (displayed by default)
"""