forked from Webx123/pinybot
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpinylib.py
1585 lines (1364 loc) · 65.5 KB
/
pinylib.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 -*-
""" Pinylib module by Nortxort (https://github.com/nortxort/pinylib) """
# Edited for pinybot (https://github.com/TechWhizZ199/pinybot)
import time
import threading
import random
import traceback
import logging
import os
import sys
import getpass
from rtmp import rtmp_protocol, message_structures
from files import file_handler as fh
from urllib import quote_plus
from api import web_request, tinychat_api
# Set console colors as false in the configuration file to prevent colorama from loading in interpreters or consoles
# which do not support the rendering of colors.
from colorama import init, Fore, Style
# Console colors.
COLOR = {
'white': Fore.WHITE,
'green': Fore.GREEN,
'bright_green': Style.BRIGHT + Fore.GREEN,
'yellow': Fore.YELLOW,
'bright_yellow': Style.BRIGHT + Fore.YELLOW,
'cyan': Fore.CYAN,
'bright_cyan': Style.BRIGHT + Fore.CYAN,
'red': Fore.RED,
'bright_red': Style.BRIGHT + Fore.RED,
'magenta': Fore.MAGENTA,
'bright_magenta': Style.BRIGHT + Fore.MAGENTA
}
__version__ = '4.2.0'
# TODO: Reorganise and reduce these initial configuration steps, shorten the link between.
# pinybot.py and tinychat.py/pinylib.py.
# Loads CONFIG in the configuration file from the root directory:
CONFIG_FILE_NAME = '/config.ini' # State the name of the '.ini' file here.
CURRENT_PATH = sys.path[0]
CONFIG_PATH = CURRENT_PATH + CONFIG_FILE_NAME
CONFIG = fh.configuration_loader(CONFIG_PATH)
if CONFIG is None:
print('No file named ' + CONFIG_FILE_NAME + ' found in: ' + CONFIG_PATH)
sys.exit(1) # Exit to system safely whilst returning exit code 1.
if CONFIG['console_colors']:
init(autoreset=True)
log = logging.getLogger(__name__)
def create_random_string(min_length, max_length, upper=False):
"""
Creates a random string of letters and numbers.
:param min_length: int the minimum length of the string
:param max_length: int the maximum length of the string
:param upper: bool do we need upper letters
:return: random str of letters and numbers
"""
randlength = random.randint(min_length, max_length)
junk = 'abcdefghijklmnopqrstuvwxyz0123456789'
if upper:
junk += 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'
return ''.join((random.choice(junk) for i in xrange(randlength)))
def write_to_log(msg, room_name):
"""
Writes chat events to log.
The room name is used to construct a log file name from.
:param msg: str the message to write to the log.
:param room_name: str the room name.
"""
d = time.strftime('%Y-%m-%d')
file_name = d + '_' + room_name + '.log'
path = CONFIG['log_path'] + room_name + '/logs/'
fh.file_writer(path, file_name, msg.encode('ascii', 'ignore'))
def set_window_title(window_message):
"""
Set the console title depending on OS by correctly encoding the message.
:param window_message: str the message we want to set as the title.
"""
other_operating_systems = ['posix', 'os2', 'ce', 'java', 'riscos']
if os.name in other_operating_systems:
window_title = "echo -e '\033]2;''" + window_message + "''\007'"
else:
window_title = 'title ' + str(window_message)
os.system(window_title)
class RoomUser:
"""
A object to hold info about a user.
Each user will have a object associated with there username.
The object is used to store information about the user.
"""
def __init__(self, nick, uid=None, last_msg=None):
self.nick = nick
self.id = uid
self.last_msg = last_msg
self.user_account = None
self.user_account_type = None
self.user_account_giftpoints = None
self.is_owner = False
self.is_super = False
self.is_mod = False
self.has_power = False
self.tinychat_id = None
self.last_login = None
self.device_type = ''
self.reading_only = False
class TinychatRTMPClient:
""" Manages a single room connection to a given room. """
def __init__(self, room, tcurl=None, app=None, room_type=None, nick=None, account=None,
password=None, room_pass=None, ip=None, port=None, proxy=None):
# Standard settings
self.roomname = room
self._tc_url = tcurl
self._app = app
self._roomtype = room_type
self._ip = ip
self._port = port
self._prefix = u'tinychat'
self._swf_url = u'http://tinychat.com/embed/Tinychat-11.1-1.0.0.0665.swf?version=1.0.0.0665/[[DYNAMIC]]/8'
self._desktop_version = u'Desktop 1.0.0.0665'
self._embed_url = u'http://tinychat.com/' + self.roomname
self._swf_version = 'WIN 21,0,0,216'
# Specific connection settings:
self.client_nick = nick
self.account = account
self.password = password
self.room_pass = room_pass
self.proxy = proxy
self.greenroom = False
self.private_room = False
self.room_broadcast_pass = None
# Personal user settings:
self.client_id = None
self.connection = None
self.is_connected = False
self.is_client_owner = False
self.is_client_mod = False
self.room_users = {}
self.user_obj = object
self.room_banlist = {}
self.is_reconnected = False
self.topic_msg = None
self.reconnect_delay = CONFIG['reconnect_delay']
# Stream settings:
self.streams = {}
self.create_stream_id = 1
self.stream_sort = False
self.publish_connection = False
self.force_time_stamp = 0
self.play_audio = False
self.play_video = False
# TODO: Implement decode procedure utilised by the bot here, so an array
# of unicode can be parsed without any further unicode errors.
def console_write(self, color, message):
"""
Writes message to console.
:param color: the colorama color representation.
:param message: str the message to write.
"""
# Print the message after formatting it; with the appropriate color, style and time.
ts = time.strftime('%H:%M:%S')
if CONFIG['console_colors']:
msg = COLOR['white'] + '[' + ts + '] ' + Style.RESET_ALL + color + message
else:
msg = '[' + ts + '] ' + message
try:
print(msg)
except UnicodeEncodeError as ue:
log.error(ue, exc_info=True)
if CONFIG['debug_mode']:
traceback.print_exc()
# Save message to the log, if it has been enabled.
if CONFIG['chat_logging']:
write_to_log('[' + ts + '] ' + message, self.roomname)
def prepare_connect(self):
""" Gather necessary connection parameters before attempting to connect. """
if self.account and self.password:
log.info('Deleting old login cookies.')
web_request.delete_login_cookies()
if len(self.account) > 3:
log.info('Trying to log in with account: %s' % self.account)
login = web_request.post_login(self.account, self.password)
if 'pass' in login['cookies']:
log.info('Logged in as: %s Cookies: %s' % (self.account, login['cookies']))
self.console_write(COLOR['green'], 'Logged in as: ' + login['cookies']['user'])
else:
self.console_write(COLOR['red'], 'Log in Failed')
self.account = raw_input('Enter account (optional): ')
if self.account:
self.password = getpass.getpass('Enter password (password hidden): ')
self.prepare_connect()
else:
self.console_write(COLOR['red'], 'Account name is to short.')
self.account = raw_input('Enter account: ')
self.password = getpass.getpass('Enter password (password hidden): ')
self.prepare_connect()
self.console_write(COLOR['white'], 'Parsing room config xml...')
config = tinychat_api.get_roomconfig_xml(self.roomname, self.room_pass, proxy=self.proxy)
while config == 'PW':
self.room_pass = raw_input('The room is password protected. Enter room password (password hidden): ')
if not self.room_pass:
self.roomname = raw_input('Enter room name: ')
self.room_pass = getpass.getpass('Enter room pass (optional:password hidden): ')
self.account = raw_input('Enter account (optional): ')
self.password = getpass.getpass('Enter password (optional:password hidden): ')
self.prepare_connect()
else:
config = tinychat_api.get_roomconfig_xml(self.roomname, self.room_pass, proxy=self.proxy)
if config != 'PW':
break
else:
self.console_write(COLOR['red'], 'Password Failed.')
if CONFIG['debug_mode']:
for k in config:
self.console_write(COLOR['white'], k + ': ' + str(config[k]))
self._ip = config['ip']
self._port = config['port']
self._tc_url = config['tcurl']
self._app = config['app']
self._roomtype = config['roomtype']
self.greenroom = config['greenroom']
self.room_broadcast_pass = config['room_broadcast_pass']
# [Temporary]: Allow an RTMPE connection to be made.
if CONFIG['rtmpe_connection']:
self._tc_url = self._tc_url.replace('rtmp', 'rtmpe')
self.console_write(COLOR['white'], 'Connecting via RTMPE (as set in configuration).')
self.console_write(COLOR['white'], '============ CONNECTING ============\n\n')
self.connect()
def connect(self):
""" Attempts to make a RTMP connection with the given connection parameters. """
if not self.is_connected:
log.info('Trying to connect to: %s' % self.roomname)
try:
tinychat_api.recaptcha(proxy=self.proxy)
cauth_cookie = tinychat_api.get_cauth_cookie(self.roomname, proxy=self.proxy)
# Pass connection parameters and initiate a connection.
self.connection = rtmp_protocol.RtmpClient(self._ip, self._port, self._tc_url, self._embed_url,
self._swf_url, self._app, self._swf_version, self._roomtype,
self._prefix, self.roomname, self._desktop_version,
cauth_cookie, self.account, self.proxy)
self.connection.connect([])
# After-hand connection settings.
self.is_connected = True
# Set windows title as connected room name & IP ADDRESS:PORT of the room.
window_message = str(self.roomname) + ' @ ' + str(self._ip) + ':' + str(self._port)
set_window_title(window_message)
# Main command (callbacks) handle.
self._callback()
except Exception as ex:
log.error('Connect error: %s' % ex, exc_info=True)
if CONFIG['debug_mode']:
traceback.print_exc()
self.reconnect()
def disconnect(self):
""" Closes the RTMP connection with the remote server. """
log.info('Disconnecting from server.')
try:
self.is_connected = False
self.is_client_mod = False
self.room_users.clear()
# Reset custom variables.
self.room_banlist.clear()
# TODO: Should this be in the core or in the bot? Maybe uptime should be a general information
# variable for the connection?
self.uptime = 0
self.connection.shutdown()
except Exception as ex:
log.error('Disconnect error: %s' % ex, exc_info=True)
if CONFIG['debug_mode']:
traceback.print_exc()
def reconnect(self):
""" Reconnect to a room with the connection parameters already set. """
reconnect_msg = '============ RECONNECTING IN ' + str(self.reconnect_delay) + ' SECONDS ============'
log.info('Reconnecting: %s' % reconnect_msg)
self.console_write(COLOR['bright_cyan'], reconnect_msg)
self.is_reconnected = True
self.disconnect()
time.sleep(self.reconnect_delay)
# Increase reconnect_delay after each reconnect.
self.reconnect_delay *= 2
if self.reconnect_delay > 3600:
self.reconnect_delay = CONFIG['reconnect_delay']
if self.account and self.password:
self.prepare_connect()
else:
self.connect()
def client_manager(self, amf0_cmd):
"""
A client stream managing function to set the streams required for the client to publish.
:param amf0_cmd: list containing the amf decoded commands.
"""
result_stream_id = int(amf0_cmd[3])
self.streams['client_stream'] = result_stream_id
self.streams['client_publish'] = result_stream_id
self.streams['client_close_stream'] = result_stream_id
self.streams['client_delete_stream'] = result_stream_id
self.stream_sort = False
self.console_write(COLOR['white'], 'Done client manager.')
def tidy_streams(self, stream_id):
"""
Tidy up stream key/pair value in the streams dictionary by providing the StreamID.
:param stream_id: int StreamID which should be found and all keys matching it
should be deleted from the streams dictionary.
"""
self.console_write(COLOR['white'], 'Deleting all stream information residing on StreamID %s.' % stream_id)
for stream_item in self.streams.keys():
if self.streams[stream_item] == stream_id:
del self.streams[stream_item]
def _callback(self):
""" Callback loop that reads from the RTMP stream. """
log.info('Starting the callback loop.')
failures = 0
amf0_data_type = 0 # TODO: Should be a -1(?)
amf0_data = None
while self.is_connected:
try:
amf0_data = self.connection.reader.next()
amf0_data_type = amf0_data['msg']
if CONFIG['amf_reply']:
self.console_write(COLOR['white'], 'REPLY --> %s' % amf0_data)
except Exception as ex:
failures += 1
log.info('amf data read error count: %s %s' % (failures, ex), exc_info=True)
if failures == 2:
if CONFIG['debug_mode']:
traceback.print_exc()
self.reconnect()
break
else:
failures = 0
try:
handled = self.connection.handle_packet(amf0_data)
if handled:
msg = 'Handled packet of type: %s Packet data: %s' % (amf0_data_type, amf0_data)
log.info(msg)
if CONFIG['debug_mode']:
self.console_write(COLOR['white'], msg)
continue
else:
# This is specific to Tinychat.
if amf0_data_type == rtmp_protocol.DataTypes.USER_CONTROL:
if amf0_data['event_type'] == rtmp_protocol.UserControlTypes.PING_RESPONSE:
self.console_write(COLOR['white'], 'Server sent \'PING_RESPONSE\'.')
else:
try:
amf0_cmd = amf0_data['command']
cmd = amf0_cmd[0]
iparam0 = 0
except (Exception, KeyError):
traceback.print_exc()
continue
# ----------------------- ROOM CALLBACKS -----------------------
# These are most of the room callbacks that are identified within
# the SWF; the defunct callbacks have been omitted for the library
# to be in correspondence with the currently established and working
# Tinychat protocol.
if cmd == '_result':
if self.stream_sort:
# Set streams for the client.
self.client_manager(amf0_cmd)
else:
# Handle the initial NetConnection _result message.
try:
_result_info = {
'Capabilities': str(amf0_cmd[2]['capabilities']),
'FmsVer': amf0_cmd[2]['fmsVer'],
'Code': amf0_cmd[3]['code'],
'ObjectEncoding': str(amf0_cmd[3]['objectEncoding']),
'Description': amf0_cmd[3]['description'],
'Level': amf0_cmd[3]['level']
}
self.on_result(_result_info)
except (Exception, KeyError):
log.error('"_result" callback error occured: %s' % amf0_cmd)
self.console_write(COLOR['green'], str(amf0_cmd))
elif cmd == '_error':
try:
_error_info = {
'Code': amf0_cmd[3]['code'],
'Description': amf0_cmd[3]['description'],
'Level': amf0_cmd[3]['level']
}
self.on_error(_error_info)
except (Exception, KeyError):
log.error('"_error" callback error occured: %s' % amf0_cmd)
self.console_write(COLOR['red'], str(amf0_cmd))
elif cmd == 'onBWDone':
self.on_bwdone()
elif cmd == 'onStatus':
try:
self.stream_sort = False
_status_info = {
'Level': amf0_cmd[3]['level'],
'Code': amf0_cmd[3]['code'],
'Details': amf0_cmd[3]['details'],
'Clientid': amf0_cmd[3]['clientid'],
'Description': amf0_cmd[3]['description']
}
self.on_status(_status_info)
except (Exception, KeyError):
log.error('"onStatus" callback error occured: %s' % amf0_cmd)
self.console_write(COLOR['magenta'], str(amf0_cmd))
elif cmd == 'registered':
client_info_dict = amf0_cmd[3]
self.on_registered(client_info_dict)
elif cmd == 'join':
usr_join_info_dict = amf0_cmd[3]
threading.Thread(target=self.on_join, args=(usr_join_info_dict, )).start()
elif cmd == 'joins':
current_room_users_info_list = amf0_cmd[3:]
if len(current_room_users_info_list) is not 0:
while iparam0 < len(current_room_users_info_list):
self.on_joins(current_room_users_info_list[iparam0])
iparam0 += 1
elif cmd == 'joinsdone':
self.on_joinsdone()
elif cmd == 'oper':
oper_id_name = amf0_cmd[3:]
while iparam0 < len(oper_id_name):
oper_id = str(oper_id_name[iparam0]).split('.0')
oper_name = oper_id_name[iparam0 + 1]
if len(oper_id) == 1:
self.on_oper(oper_id[0], oper_name)
iparam0 += 2
elif cmd == 'deop':
deop_id = amf0_cmd[3]
deop_nick = amf0_cmd[4]
self.on_deop(deop_id, deop_nick)
elif cmd == 'owner':
self.on_owner()
elif cmd == 'avons':
avons_id_name = amf0_cmd[4:]
if len(avons_id_name) is not 0:
while iparam0 < len(avons_id_name):
avons_id = avons_id_name[iparam0]
avons_name = avons_id_name[iparam0 + 1]
self.on_avon(avons_id, avons_name)
iparam0 += 2
elif cmd == 'pros':
pro_ids = amf0_cmd[4:]
if len(pro_ids) is not 0:
for pro_id in pro_ids:
pro_id = str(pro_id).replace('.0', '')
self.on_pro(pro_id)
elif cmd == 'nick':
old_nick = amf0_cmd[3]
new_nick = amf0_cmd[4]
nick_id = int(amf0_cmd[5])
self.on_nick(old_nick, new_nick, nick_id)
elif cmd == 'nickinuse':
self.on_nickinuse()
elif cmd == 'quit':
quit_name = amf0_cmd[3]
quit_id = amf0_cmd[4]
self.on_quit(quit_id, quit_name)
elif cmd == 'kick':
kick_id = amf0_cmd[3]
kick_name = amf0_cmd[4]
self.on_kick(kick_id, kick_name)
elif cmd == 'banned':
self.on_banned()
elif cmd == 'banlist':
banlist_id_nick = amf0_cmd[3:]
if len(banlist_id_nick) is not 0:
while iparam0 < len(banlist_id_nick):
banned_id = banlist_id_nick[iparam0]
banned_nick = banlist_id_nick[iparam0 + 1]
self.on_banlist(banned_id, banned_nick)
iparam0 += 2
elif cmd == 'startbanlist':
self.on_startbanlist()
elif cmd == 'topic':
topic = amf0_cmd[3]
self.on_topic(topic)
elif cmd == 'gift':
self.console_write(COLOR['white'], str(amf0_cmd))
elif cmd == 'prepare_gift_profile':
self.console_write(COLOR['white'], str(amf0_cmd))
elif cmd == 'from_owner':
owner_msg = amf0_cmd[3]
self.on_from_owner(owner_msg)
elif cmd == 'doublesignon':
self.on_doublesignon()
elif cmd == 'privmsg':
# self.msg_raw = amf0_cmd[4]
msg_text = self._decode_msg(u'' + amf0_cmd[4])
msg_sender = str(amf0_cmd[6])
self.on_privmsg(msg_text, msg_sender)
elif cmd == 'notice':
notice_msg = amf0_cmd[3]
notice_msg_id = amf0_cmd[4]
if notice_msg == 'avon':
avon_name = amf0_cmd[5]
self.on_avon(notice_msg_id, avon_name)
elif notice_msg == 'pro':
self.on_pro(notice_msg_id)
elif cmd == 'private_room':
private_status = str(amf0_cmd[3])
if private_status == 'yes':
self.private_room = True
elif private_status == 'no':
self.private_room = False
self.on_private_room()
else:
self.console_write(COLOR['bright_red'], 'Unknown command: %s' % cmd)
except Exception as ex:
log.error('General callback error: %s' % ex, exc_info=True)
if CONFIG['debug_mode']:
traceback.print_exc()
# Callback Event Methods.
def on_result(self, result_info):
if len(result_info) is 4 and type(result_info[3]) is int:
# TODO: Verify that the stream ID works in this case.
# self.stream_id = result_info[3] # stream ID?
# log.debug('Stream ID: %s' % self.stream_id)
pass
if CONFIG['debug_mode']:
for list_item in result_info:
if type(list_item) is rtmp_protocol.pyamf.ASObject:
for k in list_item:
self.console_write(COLOR['white'], k + ': ' + str(list_item[k]))
else:
self.console_write(COLOR['white'], str(list_item))
def on_error(self, error_info):
if CONFIG['debug_mode']:
for list_item in error_info:
if type(list_item) is rtmp_protocol.pyamf.ASObject:
for k in list_item:
self.console_write(COLOR['bright_red'], k + ': ' + str(list_item[k]))
else:
self.console_write(COLOR['bright_red'], str(list_item))
def on_status(self, status_info):
if CONFIG['debug_mode']:
for list_item in status_info:
if type(list_item) is rtmp_protocol.pyamf.ASObject:
for k in list_item:
self.console_write(COLOR['white'], k + ': ' + str(list_item[k]))
else:
self.console_write(COLOR['white'], str(list_item))
def on_bwdone(self):
self.console_write(COLOR['green'], 'Received Bandwidth Done.')
if not self.is_reconnected:
if CONFIG['enable_auto_job']:
self.console_write(COLOR['white'], 'Starting auto job timer.')
self.start_auto_job_timer()
def on_registered(self, client_info):
self.client_id = client_info['id']
self.is_client_mod = client_info['mod']
self.is_client_owner = client_info['own']
user = self.add_user_info(client_info['nick'])
user.id = client_info['id']
user.nick = client_info['nick']
user.user_account_type = client_info['stype']
user.user_account_giftpoints = client_info['gp']
user.is_owner = client_info['own']
user.is_mod = self.is_client_mod
self.console_write(COLOR['bright_green'], 'registered with ID: %d' % self.client_id)
key = tinychat_api.get_captcha_key(self.roomname, str(self.client_id), proxy=self.proxy)
if key is None:
self.console_write(COLOR['bright_red'], 'There was a problem obtaining the captcha key. Key=%s' % str(key))
sys.exit(1)
else:
self.console_write(COLOR['bright_green'], 'Captcha key found: %s' % key)
self.send_cauth_msg(key)
self.set_nick()
def on_join(self, join_info_dict):
user = self.add_user_info(join_info_dict['nick'])
user.nick = join_info_dict['nick']
user.id = join_info_dict['id']
user.user_account = join_info_dict['account']
user.user_account_type = join_info_dict['stype']
user.user_account_giftpoints = join_info_dict['gp']
user.is_mod = join_info_dict['mod']
user.is_owner = join_info_dict['own']
user.device_type = str(join_info_dict['btype'])
user.reading_only = join_info_dict['lf']
if join_info_dict['account']:
tc_info = tinychat_api.tinychat_user_info(join_info_dict['account'])
if tc_info is not None:
user.tinychat_id = tc_info['tinychat_id']
user.last_login = tc_info['last_active']
if join_info_dict['own']:
self.console_write(COLOR['red'],
'Room Owner %s:%d:%s' % (join_info_dict['nick'], join_info_dict['id'],
join_info_dict['account']))
elif join_info_dict['mod']:
self.console_write(COLOR['bright_red'],
'Moderator %s:%d:%s' % (join_info_dict['nick'], join_info_dict['id'],
join_info_dict['account']))
else:
self.console_write(COLOR['bright_yellow'],
'%s:%d has account: %s' % (join_info_dict['nick'], join_info_dict['id'],
join_info_dict['account']))
else:
if join_info_dict['id'] is not self.client_id:
self.console_write(COLOR['bright_cyan'],
'%s:%d joined the room.' % (join_info_dict['nick'], join_info_dict['id']))
def on_joins(self, joins_info_dict):
user = self.add_user_info(joins_info_dict['nick'])
user.nick = joins_info_dict['nick']
user.id = joins_info_dict['id']
user.user_account = joins_info_dict['account']
user.user_account_type = joins_info_dict['stype']
user.user_account_giftpoints = joins_info_dict['gp']
user.is_mod = joins_info_dict['mod']
user.is_owner = joins_info_dict['own']
user.device_type = str(joins_info_dict['btype'])
user.reading_only = joins_info_dict['lf']
if joins_info_dict['account']:
if joins_info_dict['own']:
self.console_write(COLOR['red'],
'Joins Room Owner %s:%d:%s' % (joins_info_dict['nick'], joins_info_dict['id'],
joins_info_dict['account']))
elif joins_info_dict['mod']:
self.console_write(COLOR['bright_red'],
'Joins Moderator %s:%d:%s' % (joins_info_dict['nick'], joins_info_dict['id'],
joins_info_dict['account']))
else:
self.console_write(COLOR['bright_yellow'],
'Joins: %s:%d:%s' % (joins_info_dict['nick'], joins_info_dict['id'],
joins_info_dict['account']))
else:
if joins_info_dict['id'] is not self.client_id:
self.console_write(COLOR['bright_cyan'],
'Joins: %s:%d' % (joins_info_dict['nick'], joins_info_dict['id']))
def on_joinsdone(self):
self.console_write(COLOR['cyan'], 'All joins information received.')
if self.is_client_mod:
self.send_banlist_msg()
def on_oper(self, uid, nick):
user = self.add_user_info(nick)
user.is_mod = True
if uid != self.client_id:
self.console_write(COLOR['bright_red'], '%s:%s is moderator.' % (nick, uid))
def on_deop(self, uid, nick):
user = self.add_user_info(nick)
user.is_mod = False
self.console_write(COLOR['red'], '%s:%s was deoped.' % (nick, uid))
def on_owner(self):
pass
def on_avon(self, uid, name):
self.console_write(COLOR['cyan'], '%s:%s is broadcasting.' % (name, uid))
def on_pro(self, uid):
self.console_write(COLOR['cyan'], '%s is pro.' % uid)
def on_nick(self, old, new, uid):
if uid is not self.client_id:
old_info = self.find_user_info(old)
old_info.nick = new
if old in self.room_users.keys():
del self.room_users[old]
self.room_users[new] = old_info
self.console_write(COLOR['bright_cyan'], '%s:%s changed nick to: %s ' % (old, uid, new))
def on_nickinuse(self):
self.client_nick += str(random.randint(0, 10))
self.console_write(COLOR['white'], 'Nick already taken. Changing nick to: %s' % self.client_nick)
self.set_nick()
def on_quit(self, uid, name):
if name in self.room_users.keys():
del self.room_users[name]
self.console_write(COLOR['cyan'], '%s:%s left the room.' % (name, uid))
def on_kick(self, uid, name):
self.console_write(COLOR['bright_red'], '%s:%s was banned.' % (name, uid))
self.send_banlist_msg()
def on_banned(self):
self.console_write(COLOR['red'], 'You are banned from this room.')
def on_startbanlist(self):
self.console_write(COLOR['cyan'], 'Checking banlist.')
def on_banlist(self, uid, nick):
self.room_banlist[nick] = uid
self.console_write(COLOR['bright_red'], 'Banned user: %s:%s' % (nick, uid))
def on_topic(self, topic):
self.topic_msg = topic.encode('utf-8', 'replace')
self.console_write(COLOR['cyan'], 'Room topic: %s' % self.topic_msg)
def on_private_room(self):
self.console_write(COLOR['cyan'], 'Private Room: %s' % self.private_room)
def on_from_owner(self, owner_msg):
msg = str(owner_msg).replace('notice', '').replace('%20', ' ')
self.console_write(COLOR['bright_red'], msg)
def on_doublesignon(self):
self.console_write(COLOR['bright_red'], 'Double account sign on. Aborting!')
self.is_connected = False
if CONFIG['double_signon_reconnect']:
self.reconnect()
def on_reported(self, uid, nick):
self.console_write(COLOR['bright_red'], 'You were reported by %s:%s.' % (uid, nick))
def on_privmsg(self, msg, msg_sender):
"""
Message command controller.
:param msg: str message.
:param msg_sender: str the sender of the message.
"""
# Get user info object of the user sending the message..
self.user_obj = self.find_user_info(msg_sender)
if msg.startswith('/'):
msg_cmd = msg.split(' ')
if msg_cmd[0] == '/msg':
private_msg = ' '.join(msg_cmd[2:])
self.private_message_handler(msg_sender, private_msg.strip())
elif msg_cmd[0] == '/reported':
self.on_reported(self.user_obj.id, msg_sender)
elif msg_cmd[0] == '/mbs':
media_type = msg_cmd[1]
media_id = msg_cmd[2]
time_point = int(msg_cmd[3])
# start in new thread
threading.Thread(target=self.on_media_broadcast_start,
args=(media_type, media_id, time_point, msg_sender, )).start()
elif msg_cmd[0] == '/mbc':
media_type = msg_cmd[1]
self.on_media_broadcast_close(media_type, msg_sender)
elif msg_cmd[0] == '/mbpa':
media_type = msg_cmd[1]
self.on_media_broadcast_paused(media_type, msg_sender)
elif msg_cmd[0] == '/mbpl':
media_type = msg_cmd[1]
time_point = int(msg_cmd[2])
self.on_media_broadcast_play(media_type, time_point, msg_sender)
elif msg_cmd[0] == '/mbsk':
media_type = msg_cmd[1]
time_point = int(msg_cmd[2])
self.on_media_broadcast_skip(media_type, time_point, msg_sender)
else:
self.message_handler(msg_sender, msg.strip())
# Message Handler.
def message_handler(self, msg_sender, msg):
"""
Message handler.
:param msg_sender: str the user sending a message
:param msg: str the message
"""
self.console_write(COLOR['green'], '%s:%s' % (msg_sender, msg))
# Private message Handler.
def private_message_handler(self, msg_sender, private_msg):
"""
A user private message us.
:param msg_sender: str the user sending the private message.
:param private_msg: str the private message.
"""
self.console_write(COLOR['white'], 'Private message from %s:%s' % (msg_sender, private_msg))
# Media Events.
def on_media_broadcast_start(self, media_type, video_id, time_point, usr_nick):
"""
A user started a media broadcast.
:param media_type: str the type of media. youTube or soundCloud.
:param video_id: str the youTube ID or soundCloud trackID.
:param time_point: int the time in the video/track which we received to start playing.
:param usr_nick: str the user name of the user playing media.
"""
self.console_write(COLOR['bright_magenta'], '%s is playing %s %s (%s)' %
(usr_nick, media_type, video_id, time_point))
def on_media_broadcast_close(self, media_type, usr_nick):
"""
A user closed a media broadcast.
:param media_type: str the type of media. youTube or soundCloud.
:param usr_nick: str the user name of the user closing the media.
"""
self.console_write(COLOR['bright_magenta'], '%s closed the %s' % (usr_nick, media_type))
def on_media_broadcast_paused(self, media_type, usr_nick):
"""
A user paused the media broadcast.
:param media_type: str the type of media being paused. youTube or soundCloud.
:param usr_nick: str the user name of the user pausing the media.
"""
self.console_write(COLOR['bright_magenta'], '%s paused the %s' % (usr_nick, media_type))
def on_media_broadcast_play(self, media_type, time_point, usr_nick):
"""
A user resumed playing a media broadcast.
:param media_type: str the media type. youTube or soundCloud.
:param time_point: int the time point in the tune in milliseconds.
:param usr_nick: str the user resuming the tune.
"""
self.console_write(COLOR['bright_magenta'], '%s resumed the %s at: %s' % (usr_nick, media_type, time_point))
def on_media_broadcast_skip(self, media_type, time_point, usr_nick):
"""
A user time searched a tune.
:param media_type: str the media type. youTube or soundCloud.
:param time_point: int the time point in the tune in milliseconds.
:param usr_nick: str the user time searching the tune.
"""
self.console_write(COLOR['bright_magenta'], '%s time searched the %s at: %s' %
(usr_nick, media_type, time_point))
# User Related
def add_user_info(self, usr_nick):
"""
Find the user object for a given user name and add to it.
We use this method to add info to our user info object.
:param usr_nick: str the user name of the user we want to find info for.
:return: object a user object containing user info.
"""
if usr_nick not in self.room_users.keys():
self.room_users[usr_nick] = RoomUser(usr_nick)
return self.room_users[usr_nick]
def find_user_info(self, usr_nick):
"""
Find the user object for a given user name.
Instead of adding to the user info object, we return None if the user name is NOT in the room_users dict.
We use this method when we are getting user input to look up.
:param usr_nick: str the user name to find info for.
:return: object or None if no user name is in the room_users dict.
"""
if usr_nick in self.room_users.keys():
return self.room_users[usr_nick]
return None
# Message Methods.
def send_bauth_msg(self):
""" Get and send the bauth key needed before we can start a broadcast. """
bauth_key = tinychat_api.get_bauth_token(self.roomname, self.client_nick, self.client_id,
self.greenroom, proxy=self.proxy)
if bauth_key != 'PW':
self._send_command('bauth', [u'' + bauth_key])
def send_cauth_msg(self, cauth_key):
"""
Send the cauth key message with a working cauth key, we need to send this before we can chat.
:param cauth_key: str a working cauth key.
"""
self._send_command('cauth', [u'' + cauth_key])
# TODO: Refine this method in order remove the nested tries and/or specify correct errors;
# and eventually remove quote dependency(?).
def send_owner_run_msg(self, msg):
"""
Send owner run message. The client has to be mod when sending this message.
:param msg: the message str to send.
"""
msg_encoded = ''
for x in xrange(len(msg)):
try:
letter_number = ord(msg[x])
if letter_number < 32 or letter_number > 126:
msg_encoded += quote_plus(msg[x])
elif letter_number == 37:
msg_encoded += '%25'
elif letter_number == 32:
msg_encoded += '%20'
else:
msg_encoded += msg[x]
except (Exception, UnicodeEncodeError):
try:
msg_encoded += quote_plus(msg[x].encode('utf8'), safe='/')
except (Exception, UnicodeEncodeError):
pass
self._send_command('owner_run', [u'notice' + msg_encoded])
def send_chat_msg(self, msg):
"""
Send a chat room message.
:param msg: str the message to send.
"""
self._send_command('privmsg', [u'' + self._encode_msg(msg), u'#262626,en'])
def send_private_msg(self, msg, nick):
"""
Send a private message.
:param msg: str the private message to send.
:param nick: str the user name to receive the message.
"""
user = self.find_user_info(nick)
if user is not None:
self._send_command('privmsg', [u'' + self._encode_msg('/msg ' + nick + ' ' + msg), u'#262626,en',
u'n' + str(user.id) + '-' + nick])
self._send_command('privmsg', [u'' + self._encode_msg('/msg ' + nick + ' ' + msg), u'#262626,en',
u'b' + str(user.id) + '-' + nick])
def send_undercover_msg(self, nick, msg):
"""