-
Notifications
You must be signed in to change notification settings - Fork 0
/
GSTelegramDiscord.js
255 lines (215 loc) · 10.2 KB
/
GSTelegramDiscord.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
// Импортируем необходимые библиотеки
import { google } from 'googleapis';
import { GoogleAuth } from 'google-auth-library';
import TelegramBot from 'node-telegram-bot-api';
import fetch from 'node-fetch';
import fs from 'fs';
import path from 'path';
// Настройки для Google Sheets API
const SCOPES = ['https://www.googleapis.com/auth/spreadsheets.readonly'];
const credentialsPath = path.join(process.cwd(), 'conf/discordbot.json');
const auth = new GoogleAuth({
keyFile: credentialsPath,
scopes: SCOPES,
});
const sheets = google.sheets({ version: 'v4', auth });
// Получаем лист Google Sheets
const sheetId = 'SheetsID'; // Замените на свой ID Google Sheets
// Настройки Telegram
const botToken = 'BotToken'; // Замените на свой токен бота
const bot = new TelegramBot(botToken, { polling: true });
// URL вебхука Discord
const discordWebhookUrl = 'DiscordWebhookURL'; // Замените на свой URL вебхука Discord
// Хранение chat ID пользователей
let userChatIds = new Set();
// Загрузка chat ID из файла
function loadChatIds() {
const chatIdsFilePath = 'conf/chat_ids.json';
try {
// Проверка на существование файла
if (!fs.existsSync(chatIdsFilePath)) {
console.log('Файл не найден. Создание нового файла conf/chat_ids.json.');
// Создание пустого файла с начальным содержимым
fs.writeFileSync(chatIdsFilePath, JSON.stringify([]));
}
const data = fs.readFileSync(chatIdsFilePath, 'utf-8');
if (data.trim().length === 0) {
console.log('Файл conf/chat_ids.json пуст, инициализация пустого множества.');
userChatIds = new Set();
} else {
userChatIds = new Set(JSON.parse(data));
console.log('Загружены chat IDs:', userChatIds);
}
} catch (error) {
console.log('Не удалось загрузить chat IDs:', error);
}
}
// Сохранение chat ID в файл
function saveChatIds() {
fs.writeFileSync('conf/chat_ids.json', JSON.stringify([...userChatIds]));
console.log('Chat IDs сохранены:', userChatIds);
}
// Команда /start для регистрации пользователей
bot.onText(/\/start/, (msg) => {
const chatId = msg.chat.id;
userChatIds.add(chatId);
saveChatIds();
bot.sendMessage(chatId, 'Вы успешно зарегистрированы для получения обновлений!');
console.log(`Пользователь ${chatId} зарегистрирован.`);
});
// Команда для тестирования отправки сообщения
bot.onText(/\/test/, (msg) => {
const chatId = msg.chat.id;
bot.sendMessage(chatId, 'Это тестовое сообщение!')
.then(() => console.log(`Тестовое сообщение отправлено пользователю ${chatId}`))
.catch((error) => console.log('Ошибка при отправке тестового сообщения:', error));
});
// Проверка обновлений в Google Sheets
let previousData = [];
async function checkForUpdates() {
try {
const response = await sheets.spreadsheets.values.get({
spreadsheetId: sheetId,
range: 'Sheet1!C2:F', // Укажите диапазон ваших данных
});
const currentData = response.data.values || [];
if (JSON.stringify(currentData) !== JSON.stringify(previousData)) {
// console.log('Обнаружены обновления в Google Sheets!');
previousData = currentData;
return currentData[currentData.length - 1]; // Возвращаем только последнюю строку
} else {
// console.log('Нет новых данных.');
return null;
}
} catch (error) {
console.error('Ошибка при получении данных из Google Sheets:', error);
return null;
}
}
// Обработка подтверждения
bot.onText(/\/confirm (.+)/, async (msg, match) => {
const chatId = msg.chat.id;
try {
const formData = JSON.parse(match[1]); // Получаем данные формы как массив
const message = `*Данные формы подтверждены:*\n\n` +
formData.map((item, index) => `• Поле ${index + 1}: ${item}`).join('\n');
// Отправляем данные в Discord
await sendMessageToDiscord(formData);
// Отправляем подтверждение в Telegram
bot.sendMessage(chatId, message, { parse_mode: 'MarkdownV2' });
} catch (error) {
console.error('Ошибка при обработке команды /confirm:', error);
bot.sendMessage(chatId, 'Произошла ошибка при подтверждении данных. Пожалуйста, попробуйте еще раз.');
}
});
// Обработка отклонения
bot.onText(/\/decline/, (msg) => {
const chatId = msg.chat.id;
bot.sendMessage(chatId, 'Вы отклонили данные.');
});
// Отправка сообщения в Discord
async function sendMessageToDiscord(formData) {
const headers = await getSheetHeaders(); // Получаем заголовки (вопросы)
const fieldsForDiscord = formData.map((item, index) => {
const header = headers[index] || `Поле ${index + 1}`; // Используем заголовок или номер поля, если заголовок не найден
return `**${header}:**\n${item}`; // Форматируем, убирая лишние пробелы
}).join('\n'); // Добавляем двойной перевод строки между полями
try {
const payload = {
embeds: [{
// title: 'Новая форма:',
description: fieldsForDiscord, // Добавляем заголовки и ответы для Discord
color: 0xFFA500, // Цвет рамки (можно изменить)
footer: {
text: 'Одобрено: ' + new Date().toLocaleString(),
},
}],
content: '@everyone', // или другой текст, если нужно
};
const response = await fetch(discordWebhookUrl, {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify(payload),
});
if (response.status === 204) {
console.log('Сообщение успешно отправлено в Discord.');
} else {
console.log(`Ошибка при отправке в Discord: ${response.status}`);
}
} catch (error) {
console.error('Ошибка при отправке в Discord:', error);
}
}
// Отправка обновлений в Telegram
// Хранилище данных форм
const formStore = [];
// Сохранение данных формы и возвращение индекса
function storeFormData(data) {
formStore.push(data);
return formStore.length - 1;
}
async function getSheetHeaders() {
try {
const response = await sheets.spreadsheets.values.get({
spreadsheetId: sheetId,
range: 'Sheet1!C1:F1', // Первая строка с заголовками
});
return response.data.values[0]; // Возвращаем первую строку как массив заголовков
} catch (error) {
console.error('Ошибка при получении заголовков из Google Sheets:', error);
return [];
}
}
// Отправка обновлений в Telegram с короткими данными для кнопок
async function handleTelegramUpdates(data) {
const headers = await getSheetHeaders(); // Получаем заголовки (вопросы)
const formDataIndex = storeFormData(data); // Сохраняем данные формы и получаем индекс
const message = `Новая форма поступила!\n\n`;
const formFields = data.map((item, index) => {
const header = headers[index] || `Поле ${index + 1}`; // Используем заголовок или номер поля, если заголовок не найден
return `**${header}:**\n${item}`; // Форматируем, убирая лишние пробелы
}).join('\n'); // Добавляем двойной перевод строки между полями
const options = {
reply_markup: {
inline_keyboard: [
[
{ text: 'Подтвердить', callback_data: `confirm_${formDataIndex}` },
{ text: 'Отклонить', callback_data: 'decline' },
],
],
},
};
for (const chatId of userChatIds) {
bot.sendMessage(chatId, `${message}${formFields}`, { parse_mode: 'Markdown', reply_markup: options.reply_markup })
.then(() => console.log(`Сообщение отправлено пользователю ${chatId}`))
.catch((error) => console.log(`Ошибка при отправке сообщения пользователю ${chatId}:`, error));
}
}
// Обработка нажатий на кнопки
bot.on('callback_query', async (callbackQuery) => {
const chatId = callbackQuery.message.chat.id;
const action = callbackQuery.data;
if (action.startsWith('confirm_')) {
const formDataIndex = parseInt(action.replace('confirm_', ''), 10);
const formData = formStore[formDataIndex];
await sendMessageToDiscord(formData);
bot.sendMessage(chatId, 'Данные успешно отправлены в Discord.');
} else if (action === 'decline') {
bot.sendMessage(chatId, 'Вы отклонили данные.');
}
bot.deleteMessage(chatId, callbackQuery.message.message_id).catch((error) => {
console.log('Ошибка при удалении сообщения:', error);
});
});
// Основной цикл проверки Google Sheets
async function main() {
loadChatIds();
previousData = await checkForUpdates();
setInterval(async () => {
const updates = await checkForUpdates();
if (updates) {
await handleTelegramUpdates(updates);
}
}, 10000); // Проверка каждые 10 секунд
}
main();