-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathscrape_channels.py
165 lines (132 loc) · 5.08 KB
/
scrape_channels.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
import discord
import asyncio
import json
import os, sys
import argparse
from time import time
# example: python scrape_channels.py -t [token] -sid [server id]
parser = argparse.ArgumentParser(description='Scrape channel logs.')
parser.add_argument('--server_id', '-sid', type=str, help='the discord server id, required', required=True)
parser.add_argument('--token', '-t', type=str, help='token, used to log in')
parser.add_argument('--user', '-u', type=str, help='username, note: should not be used')
parser.add_argument('--password', '-p', type=str, help='password, note: should not be used')
parser.add_argument('--channels', '-c', type=str, nargs='*', help='channel ids')
parser.add_argument('--messages', '-m', type=int, help='number of messages to fetch per request')
parser.add_argument('--selfbot', action='store_true', help='is the connecting user a selfbot/regular user? note: should not be used')
PY35 = sys.version_info >= (3, 5)
SERVER_ID = ""
CHANNELS = []
SERVER = None
TIMESTAMP_STR = str(int(time()))
MESSAGES = 100 # default, use --messages or -m to change
client = discord.Client()
@client.event
@asyncio.coroutine
def on_ready():
print('Logged in as: %s' % client.user.name)
print('------')
SERVER = client.get_server(SERVER_ID)
channels = [SERVER.get_channel(cid) for cid in CHANNELS] if CHANNELS else SERVER.channels
channels = list(filter(None, channels)) # Haven't encounterd a case where this is needed other than specifying incorrect channel id's
for channel in sorted(channels, key=lambda c: c.position):
if str(channel.type) == 'text' and SERVER.me.permissions_in(channel).read_message_history:
yield from scrape_logs_from(channel)
try:
yield from client.close()
except:
pass
print("Finished scraping %d channel(s)." % len(channels))
@asyncio.coroutine
def scrape_logs_from(channel):
all_messages = []
all_clean_messages = []
all_reactions = []
log_dir = 'logs/' + channel.server.name + '/' + TIMESTAMP_STR + '/'
log_prefix = channel.id + '_' + channel.name + '-'
log_suffix = '-log.txt'
if not os.path.exists(log_dir):
os.makedirs(log_dir)
f_messages = open(log_dir + log_prefix + 'messages' + log_suffix, mode='w')
f_clean_messages = open(log_dir + log_prefix + 'clean-messages' + log_suffix, mode='w')
f_reactions = open(log_dir + log_prefix + 'reactions' + log_suffix, mode='w')
print('scraping logs for %s' % channel.name)
last = channel.created_at
total = 0
while True:
messages = []
if PY35:
# feels like a mess, but works, clean it up later
log_iterator = client.logs_from(channel, after=last, limit=MESSAGES)
for i in range(MESSAGES):
try:
msg = yield from log_iterator.__anext__()
except:
break
messages.append(msg)
else:
gen = yield from client.logs_from(channel, after=last, limit=MESSAGES)
messages = list(gen)
if len(messages) == 0:
break
yield from write_messages(messages, f_messages, f_clean_messages, f_reactions)
last = messages[0]
total += len(messages)
print("%d messages scraped" % total)
f_messages.close()
f_reactions.close()
f_clean_messages.close()
print("\nDone writing messages for %s.\n" % channel.name)
@asyncio.coroutine
def write_messages(messages, f_messages, f_clean_messages, f_reactions):
for message in messages[::-1]:
f_messages.write(json.dumps({
'id': message.id,
'timestamp': str(message.timestamp),
'edited_timestamp': str(message.edited_timestamp),
'author_id': message.author.id,
'author_name': message.author.name,
'content': message.content
}, sort_keys=True) + '\n')
f_clean_messages.write(json.dumps({
'id': message.id,
'clean_content': message.clean_content
}, sort_keys=True) + '\n')
yield from process_reactions(message, f_reactions)
@asyncio.coroutine
def process_reactions(message, f_reactions):
for reaction in message.reactions:
try:
gen = yield from client.get_reaction_users(reaction)
reaction_users = [user.id for user in gen]
f_reactions.write(json.dumps({
'channel_name': message.channel.name,
'channel_id': message.channel.id,
'message_id': message.id,
'emoji': reaction.emoji if not reaction.custom_emoji else reaction.emoji.name,
'count': reaction.count,
'user_ids': reaction_users
}, sort_keys=True) + '\n')
except Exception as exc:
print('\nException when processing reaction: {0}\n\nContinuing...\n'.format(exc))
args = parser.parse_args()
if args.server_id:
SERVER_ID = args.server_id
if args.channels:
CHANNELS = args.channels
if args.messages:
if args.messages > 0 and args.messages <= 100:
MESSAGES = args.messages
else:
print("Max number of messages to return (1-100), using default: %d" % MESSAGES)
if args.selfbot:
print("Using self-bots is not recommended.")
if args.token:
client.run(args.token, bot=False)
elif args.user and args.password:
print("Using user/password is not recommended.")
client.run(args.user, args.password)
elif args.token:
client.run(args.token)
elif args.user or args.password:
print("If you're using user/password, you need to use --selfbot, note: this probably breaks discord ToS")
sys.exit(0)