-
Notifications
You must be signed in to change notification settings - Fork 74
/
chat.js
543 lines (415 loc) · 15.1 KB
/
chat.js
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
#!/usr/bin/env node
const puppeteer = require('puppeteer');
const notifier = require('node-notifier');
const chalk = require('chalk');
const winston = require('winston');
const fs = require('fs');
const boxen = require('boxen');
const gradient = require('gradient-string');
const logSymbols = require('log-symbols');
const ansiEscapes = require('ansi-escapes');
const path = require('path');
const findChrome = require('./find_chrome');
const config = require('./config.js');
const selector = require('./selector.js');
process.setMaxListeners(0);
// make sure they specified user to chat with
if (!process.argv[2]) {
console.log(logSymbols.error, chalk.red('User argument not specified, exiting...'));
process.exit(1);
}
/////////////////////////////////////////////
// get user from command line argument
let user = '';
let selectorNewMessage=null;
// because a username can contain first and last name/spaces, etc
for (let i = 2; i <= 5; i++) {
if (typeof process.argv[i] !== 'undefined') {
user += process.argv[i] + ' ';
}
}
user = user.trim();
/////////////////////////////////////////////
// catch un-handled promise errors
process.on("unhandledRejection", (reason, p) => {
//console.warn("Unhandled Rejection at: Promise", p, "reason:", reason);
});
(async function main() {
const logger = setUpLogging();
try {
print(boxen('Whatspup', {
padding: 1,
borderStyle: 'double',
borderColor: 'green',
backgroundColor: 'green'
}));
// custom vars ///////////////////////////////
let last_received_message = '';
let last_received_message_other_user = '';
let last_sent_message_interval = null;
let sentMessages = [];
//////////////////////////////////////////////
const executablePath = findChrome().pop() || null;
const tmpPath = path.resolve(__dirname, config.data_dir);
const networkIdleTimeout = 30000;
const stdin = process.stdin;
const headless = !config.window;
const browser = await puppeteer.launch({
headless: headless,
executablePath: executablePath,
userDataDir: tmpPath,
// handle SIGINT below
handleSIGINT: false,
ignoreHTTPSErrors: true,
args: [
'--log-level=3', // fatal only
//'--start-maximized',
'--no-default-browser-check',
'--disable-infobars',
'--no-experiments',
'--ignore-gpu-blacklist',
'--disable-gpu',
'--disable-extensions',
'--disable-default-apps',
'--enable-features=NetworkService',
],
ignoreDefaultArgs: ['--enable-automation'],
});
const page = await browser.newPage();
await page.setUserAgent('Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/73.0.3641.0 Safari/537.36');
//await page.setViewport({width: 1366, height:768});
await page.setRequestInterception(true);
page.on('request', (request) => {
request.continue();
});
// close browser on exit
process.on('SIGINT', () =>
browser
.close()
.then(() => process.exit(0))
.catch(() => process.exit(0))
)
print(gradient.rainbow('Initializing...\n'));
page.goto('https://web.whatsapp.com/', {
waitUntil: 'networkidle2',
timeout: 0
}).then(async function (response) {
await page.waitFor(networkIdleTimeout);
//debug(page);
const title = await page.evaluate(() => {
let nodes = document.querySelectorAll('.window-title');
let el = nodes[nodes.length - 1];
return el ? el.innerHTML : '';
});
// this means browser upgrade warning came up for some reasons
if (title && title.includes('Google Chrome 36+')) {
console.log(logSymbols.error, chalk.red('Could not open whatsapp web, most likely got browser upgrade message....'));
process.exit();
}
startChat(user);
readCommands();
})
// allow user to type on console and read it
function readCommands() {
stdin.resume();
stdin.on('data', function (data) {
let message = data.toString().trim();
// check for command "--chat UserName" to start new chat with that user
if (message.toLowerCase().indexOf('--chat') > -1) {
let new_user = message.split(" ").slice(1).join(" ");
if (new_user) {
startChat(new_user);
user = new_user;
} else {
console.log(logSymbols.error, chalk.red('user name not specified!'));
}
}
// clear chat screen
else if (message.toLowerCase().indexOf('--clear') > -1) {
process.stdout.write(ansiEscapes.clearScreen);
} else {
typeMessage(message);
}
stdin.resume();
});
}
// start chat with specified user
async function startChat(user) {
// replace selector with selected user
let user_chat_selector = selector.user_chat;
user_chat_selector = user_chat_selector.replace('XXX', user);
// type user into search to avoid scrolling to find hidden elements
await page.click(selector.search_box)
// make sure it's empty
await page.evaluate(() => document.execCommand( 'selectall', false, null ))
await page.keyboard.press("Backspace");
// find user
await page.keyboard.type(user)
await page.waitFor(user_chat_selector);
await page.click(user_chat_selector);
await page.click(selector.chat_input);
let name = getCurrentUserName();
if (name) {
console.log(logSymbols.success, chalk.bgGreen('You can chat now :-)'));
console.log(logSymbols.info, chalk.bgRed('Press Ctrl+C twice to exit any time.\n'));
} else {
console.log(logSymbols.warning, 'Could not find specified user "' + user + '"in chat threads\n');
}
}
// type user-supplied message into chat window for selected user
async function typeMessage(message) {
let parts = message.split('\n');
for (var i = 0; i < parts.length; i++) {
if (i > 0) {
await page.keyboard.down('Shift');
await page.keyboard.press('Enter');
await page.keyboard.up('Shift');
}
await page.keyboard.type(parts[i]);
}
await page.keyboard.press('Enter');
// verify message is sent
let messageSent = await page.evaluate((selector) => {
let nodes = document.querySelectorAll(selector);
let el = nodes[nodes.length - 1];
return el ? el.innerText : '';
}, selector.last_message_sent);
if (message == messageSent) {
print("You: " + message, config.sent_message_color);
// setup interval for read receipts
if (config.read_receipts) {
last_sent_message_interval = setInterval(function () {
isLastMessageRead(user, message);
}, (config.check_message_interval));
}
}
// see if they sent a new message
readLastOtherPersonMessage();
}
// read user's name from conversation thread
function getCurrentUserName() {
return page.evaluate((selector) => {
let el = document.querySelector(selector);
return el ? el.innerText : '';
}, selector.user_name);
}
// read any new messages sent by specified user
async function readLastOtherPersonMessage() {
let message = '';
let name = await getCurrentUserName();
if (!name) {
return false;
}
// read last message sent by other user
message = await page.evaluate((selector) => {
let nodes = document.querySelectorAll(selector);
let el = nodes[nodes.length - 1];
if (!el) {
return '';
}
// check if it is picture message
/*
if (el.classList.contains('message-image')) {
return 'Picture Message';
}
*/
let picNodes = el.querySelectorAll("img[src*='blob']");
let isPicture = picNodes[picNodes.length - 1];
if (isPicture) {
return 'Picture Message';
}
// check if it is gif message
let gifNodes = el.querySelectorAll("div[style*='background-image']");
let isGif = gifNodes[gifNodes.length - 1];
if (isGif) {
return 'Gif Message';
}
// check if it is video message
let vidNodes = el.querySelectorAll(".video-thumb");
let isVideo = vidNodes[vidNodes.length - 1];
if (isVideo) {
return 'Video Message';
}
// check if it is voice message
let audioNodes = el.querySelectorAll("audio");
let isAudio = audioNodes[audioNodes.length - 1];
if (isAudio) {
return 'Voice Message';
}
// check if it is emoji message
let emojiNodes = el.querySelectorAll("div.selectable-text img.selectable-text");
let isEmoji = emojiNodes[emojiNodes.length - 1];
if (isEmoji) {
return 'Emoji Message';
}
// text message
nodes = el.querySelectorAll('span.selectable-text');
el = nodes[nodes.length - 1];
return el ? el.innerText : '';
}, selector.last_message);
if (message) {
if (last_received_message) {
if (last_received_message != message) {
last_received_message = message;
print(name + ": " + message, config.received_message_color);
// show notification
notify(name, message);
}
} else {
last_received_message = message;
//print(name + ": " + message, config.received_message_color);
}
}
}
// checks if last message sent is read
async function isLastMessageRead(name, message) {
let is_last_message_read = await page.evaluate((selector) => {
let nodes = document.querySelectorAll(selector);
let el = nodes[nodes.length - 1];
if (el) {
let readHTML = el.outerHTML;
if (readHTML.length) {
return readHTML.indexOf('data-icon="msg-dblcheck-ack"') > -1;
}
}
return false;
}, selector.last_message_read);
if (is_last_message_read) {
if (config.read_receipts && last_sent_message_interval) {
// make sure we don't report for same message again
if (!sentMessages.includes(message)) {
console.log('\n' + logSymbols.success, chalk.gray(message) + '\n');
sentMessages.push(message);
clearInterval(last_sent_message_interval);
}
}
}
}
async function getPhoneNumber(){
new_message_user_pic_url
}
// checks for any new messages sent by all other users
async function checkNewMessagesAllUsers() {
let name = await getCurrentUserName();
let new_message_selector = await getSelectorNewMessage();
let user = await page.evaluate((selector_newMessage,selector_newMessageUser,selector_newMessageUserPicUrl) => {
let nodes = document.querySelectorAll(selector_newMessage);
let el = nodes[0].parentNode.parentNode.parentNode.parentNode.parentNode.querySelector(selector_newMessageUser);
let name=el ? el.innerText : '';
el=nodes[0].parentNode.parentNode.parentNode.parentNode.parentNode.parentNode.querySelector(selector_newMessageUserPicUrl);
let number='';
if (el && el.hasAttribute('src')){
let arr=/&u=([0-9]+)/g.exec(el.getAttribute('src'));
if (arr[1])
number=arr[1]
}
return [name,number];
}, new_message_selector, selector.new_message_user,selector.new_message_user_pic_url);
if (user[0] && user[0] != name) {
if (last_received_message_other_user != user[0]) {
let message = 'You have a new message by "' + user[0]+";"+user[1] + '". Switch to that user to see the message.';
print('\n' + message, config.received_message_color_new_user);
// show notification
notify(user[0]+";"+user[1], message);
last_received_message_other_user = user[0];
}
}
}
/**
Get the css selector for new messages all users
*/
async function getSelectorNewMessage(){
if (selectorNewMessage==null){
let classname = await page.evaluate((selector) => {
let nodes = document.querySelectorAll(selector);
for (let i = 0; i <= nodes.length; i++) {
var style = window.getComputedStyle(nodes[i]);
var borderRadius = style.getPropertyValue('border-radius');
if (borderRadius=='12px')
return nodes[i].className;
}
return null;
}, selector.new_message_count);
if (classname==null)
console.log(logSymbols.warning, chalk.bgRed('Not yet found a kind of notification of new messages'));
else{
selectorNewMessage=selector.new_message.replace('XXXXX', classname);
console.log(logSymbols.info, chalk.bgRed('It was generated selector of notification of new messages: '+selectorNewMessage));
}
}
return selectorNewMessage;
}
// prints on console
function print(message, color = null) {
if (!config.colors || color == null) {
console.log('\n' + message + '\n');
return;
}
if (chalk[color]) {
console.log('\n' + chalk[color](message) + '\n');
} else {
console.log('\n' + message + '\n');
}
}
// send notification
function notify(name, message) {
if (config.notification_enabled) {
if (config.notification_hide_message) {
message = config.notification_hidden_message || 'New Message Received';
}
if (config.notification_hide_user) {
name = config.notification_hidden_user || 'Someone';
}
notifier.notify({
appName: "Snore.DesktopToasts", // Windows FIX - might not be needed
title: name,
message: message,
wait: false,
timeout: config.notification_time
});
// sound/beep
if (config.notification_sound) {
process.stdout.write(ansiEscapes.beep);
}
}
}
setInterval(readLastOtherPersonMessage, (config.check_message_interval));
setInterval(checkNewMessagesAllUsers, (config.check_message_interval));
} catch (err) {
logger.warn(err);
}
async function debug(page, logContent = true) {
if (logContent) {
console.log(await page.content());
}
await page.screenshot({
path: 'screen.png'
});
}
// setup logging
function setUpLogging() {
const env = process.env.NODE_ENV || 'development';
const logDir = 'logs';
// Create the log directory if it does not exist
if (!fs.existsSync(logDir)) {
fs.mkdirSync(logDir);
}
const tsFormat = () => (new Date()).toLocaleTimeString();
const logger = new(winston.Logger)({
transports: [
// colorize the output to the console
new(winston.transports.Console)({
timestamp: tsFormat,
colorize: true,
level: 'info'
}),
new(winston.transports.File)({
filename: `${logDir}/log.log`,
timestamp: tsFormat,
level: env === 'development' ? 'debug' : 'info'
})
]
});
return logger;
}
})();