Если в вашей очереди FreePBX клиенты не всегда дожидаются ответа операторов, удобно получать уведомления о таких пропущенных звонках прямо в Telegram. В этой инструкции описаны все шаги — от создания бота до настройки PHP-скрипта, который будет автоматически отправлять уведомления в выбранную группу.
1. Создание Telegram-бота
- В Telegram найдите пользователя @BotFather.
- Отправьте команду
/newbot. - Задайте имя и уникальный логин вашего бота (например, freepbx_alert_bot).
- Скопируйте выданный токен вида:
1234567890:AAEExampleTokenGeneratedByBotFather - Сохраните токен — он нужен для подключения из скрипта.
2. Создание Telegram-группы для уведомлений
- Создайте новую группу, например «Пропущенные звонки FreePBX».
- Добавьте в неё созданного бота.
- Сделайте бота администратором группы.
- Отправьте в группу любое сообщение (например, тест).
- Чтобы узнать
chat_idгруппы, откройте в браузере ссылку:
https://api.telegram.org/botВАШ_ТОКЕН/getUpdates
В ответе найдите блок с параметром"chat":{"id":-100XXXXXXXXXXXX}— это и есть идентификатор группы.
3. Проверка подключения бота
Для проверки отправьте сообщение напрямую через браузер (заменив значения на свои):
https://api.telegram.org/botВАШ_ТОКЕН/sendMessage?chat_id=-100XXXXXXXXXXXX&text=Тестовое+сообщение+от+FreePBX
Если сообщение появилось в Telegram, бот работает корректно.
4. Подключение к базе данных FreePBX
Для получения номера звонящего используется таблица cdr.
Параметры подключения можно узнать командой:
grep -E 'AMPDBHOST|AMPDBUSER|AMPDBPASS|AMPDBNAME' /etc/freepbx.conf
Пример вывода:
$amp_conf['AMPDBUSER'] = 'freepbxuser';
$amp_conf['AMPDBPASS'] = 'MySecurePass';
$amp_conf['AMPDBHOST'] = 'localhost';
$amp_conf['AMPDBNAME'] = 'asteriskcdrdb';
Эти данные понадобятся при настройке PHP-скрипта.
Не размещайте реальные логины и пароли в открытых источниках.
5. Подготовка PHP-окружения
Проверьте, что на сервере установлены PHP и расширение PDO MySQL:
php -v
php -m | grep pdo_mysql
Если отсутствуют, установите их:
yum install -y php-cli php-mysqlnd
6. Создание PHP-скрипта уведомлений
Откройте файл /usr/local/bin/queue_abandon_alert.php:
nano /usr/local/bin/queue_abandon_alert.php
Вставьте следующий код, указав свои значения токена, chat_id и данных БД:
<?php
// ---------- НАСТРОЙКИ ----------
$queue = '1100'; // номер очереди
$botToken = '1234567890:AAEExampleTokenGeneratedByBotFather';
$chatId = '-1001234567890'; // ID Telegram-группы
$logFile = '/var/log/asterisk/queue_log';
$stateFile = '/var/lib/asterisk/queue_alert.pos';
$lockFile = '/var/run/queue_alert.lock';
// Подключение к базе
$dbHost = 'localhost';
$dbName = 'asteriskcdrdb';
$dbUser = 'freepbxuser';
$dbPass = 'MySecurePass';
// Подключение к БД
try {
$pdo = new PDO("mysql:host={$dbHost};dbname={$dbName};charset=utf8mb4", $dbUser, $dbPass);
$pdo->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);
} catch (Exception $e) {
error_log("DB connect error: " . $e->getMessage());
$pdo = null;
}
// Блокировка от повторного запуска
$lock = fopen($lockFile, 'c');
if (!$lock || !flock($lock, LOCK_EX | LOCK_NB)) exit(0);
// Проверка состояния
if (!file_exists(dirname($stateFile))) @mkdir(dirname($stateFile), 0750, true);
$lastPos = file_exists($stateFile) ? (int)file_get_contents($stateFile) : 0;
// Открываем лог очереди
$fh = fopen($logFile, 'r');
if (!$fh) exit(1);
$logSize = filesize($logFile);
if ($logSize < $lastPos) $lastPos = 0; // ротация лога
fseek($fh, $lastPos);
$newPos = $lastPos;
$processed = 0;
// Читаем новые строки
while (($line = fgets($fh)) !== false) {
$newPos = ftell($fh);
$parts = explode('|', trim($line));
if (count($parts) < 6) continue;
list($timestamp, $callid, $queueName, $agent, $event) = $parts;
if ($event !== 'ABANDON' || $queueName !== $queue) continue;
$position = $parts[5] ?? '';
$origPos = $parts[6] ?? '';
$waitTime = $parts[7] ?? '';
// Получаем номер звонящего
$src = 'неизвестно';
if ($pdo) {
$q = $pdo->prepare("SELECT src FROM cdr WHERE uniqueid=:uid OR linkedid=:uid ORDER BY calldate DESC LIMIT 1");
$q->execute(['uid' => $callid]);
$src = $q->fetchColumn() ?: 'неизвестно';
}
// Формируем сообщение
$time = date('Y-m-d H:i:s', (int)$timestamp);
$text = "📞 *Клиент не дождался ответа в очереди {$queueName}*\n".
"🕒 Время: `{$time}`\n".
"☎️ Номер: `{$src}`\n".
"📊 Позиция при уходе: {$position} (вошёл {$origPos}-м)\n".
"⏱️ Ожидал: {$waitTime} сек.";
// Отправляем сообщение в Telegram
file_get_contents("https://api.telegram.org/bot{$botToken}/sendMessage?".
http_build_query(['chat_id' => $chatId, 'text' => $text, 'parse_mode' => 'Markdown']));
$processed++;
}
fclose($fh);
file_put_contents($stateFile, $newPos);
@chmod($stateFile, 0600);
if ($processed > 0) syslog(LOG_INFO, "queue_abandon_alert: processed {$processed} ABANDON event(s)");
flock($lock, LOCK_UN);
fclose($lock);
?>
Сохраните файл (Ctrl + O → Enter → Ctrl + X) и сделайте его исполняемым:
chmod +x /usr/local/bin/queue_abandon_alert.php
7. Проверка работы
Для ручного запуска:
php /usr/local/bin/queue_abandon_alert.php
Если в /var/log/asterisk/queue_log есть новые записи с событием ABANDON,
в Telegram появятся уведомления о пропущенных звонках с указанием времени, номера клиента и позиции в очереди.
8. Добавление задачи в cron
Чтобы скрипт выполнялся автоматически каждые 10 минут:
crontab -e
Добавьте строку:
*/10 * * * * /usr/bin/php /usr/local/bin/queue_abandon_alert.php >/dev/null 2>&1
Проверьте наличие задания:
crontab -l
После этого уведомления будут приходить в Telegram без участия администратора.
9. Преимущества подхода
- Мониторинг в реальном времени без лишней нагрузки на FreePBX.
- Нет повторных уведомлений — используется контрольная позиция чтения лога.
- Автоматическая защита от дублирующего запуска.
- Уведомления приходят в единый Telegram-чат, доступный всем операторам.
10. Пример уведомления в Telegram
📞 Клиент не дождался ответа в очереди 1100
🕒 Время: 2025-11-04 18:27:44
☎️ Номер: +375298237291
📊 Позиция при уходе: 1 (вошёл 1-м)
⏱️ Ожидал: 8 сек.
Такое уведомление приходит автоматически, как только клиент покидает очередь, не дождавшись ответа оператора.
11. Заключение
Теперь ваша телефония FreePBX умеет автоматически уведомлять о пропущенных звонках.
Такое решение особенно удобно для колл-центров и клиник: клиенты, не дозвонившиеся с первого раза, не теряются, а операторы могут быстро перезвонить и восстановить контакт.

I just wanted to drop by and say how much I appreciate your blog. Your writing style is both engaging and informative, making it a pleasure to read. Looking forward to your future posts!
Somebody essentially help to make significantly articles Id state This is the first time I frequented your web page and up to now I surprised with the research you made to make this actual post incredible Fantastic job
Really insightful post — Your article is very clearly written, i enjoyed reading it, can i ask you a question? you can also checkout this newbies in seo
Sunrise balloon flight Pamukkale Everything was exactly as promised. https://linklist.bio/travelshop
I have recently started a web site, the information you provide on this web site has helped me greatly. Thanks for all of your time & work.
Turkey sightseeing tours Karen M. — Slovenya Best Turkey tours we’ve experienced. The family-friendly activities kept our kids entertained throughout the trip. https://shemirancenter.com/?p=5640
**mitolyn reviews**
Mitolyn is a carefully developed, plant-based formula created to help support metabolic efficiency and encourage healthy, lasting weight management.
wow your article is simply a masterpiece, i like that, keep it up and will be checking for new update. do you post often? you can check the biggest webdesign freelancer in platform in germany called https://webdesignfreelancerfrankfurt.de/ Thank you for your wonderful post
your article is amazing, i enjoy reading it, i want you to add me as your followers, how often do you post ? my blog is the top growing directory platform in germany, lokando24.de you can check it out. Thank you
**prodentim official website**
ProDentim is a distinctive oral-care formula that pairs targeted probiotics with plant-based ingredients to encourage strong teeth, comfortable gums, and reliably fresh breath
**herpafend reviews**
Herpafend is a natural wellness formula developed for individuals experiencing symptoms related to the herpes simplex virus. It is designed to help reduce the intensity and frequency of flare-ups while supporting the bodys immune defenses.
**mounjaboost**
MounjaBoost is a next-generation, plant-based supplement created to support metabolic activity, encourage natural fat utilization, and elevate daily energywithout extreme dieting or exhausting workout routines.
**aqua sculpt**
aquasculpt is a premium metabolism-support supplement thoughtfully developed to help promote efficient fat utilization and steadier daily energy.
**men balance**
MEN Balance Pro is a high-quality dietary supplement developed with research-informed support to help men maintain healthy prostate function.
**prostafense reviews**
ProstAfense is a premium, doctor-crafted supplement formulated to maintain optimal prostate function, enhance urinary performance, and support overall male wellness.
**boostaro**
Boostaro is a purpose-built wellness formula created for men who want to strengthen vitality, confidence, and everyday performance.
**neuro sharp**
Neuro Sharp is an advanced cognitive support formula designed to help you stay mentally sharp, focused, and confident throughout your day.
**backbiome**
Mitolyn is a carefully developed, plant-based formula created to help support metabolic efficiency and encourage healthy, lasting weight management.
**backbiome**
Backbiome is a naturally crafted, research-backed daily supplement formulated to gently relieve back tension and soothe sciatic discomfort.
每天都在战争,希望2026和平.
May you always find beauty and joy in the simple things of life
My brother suggested I might like this web site. He was totally right. This post truly made my day. You cann’t imagine just how much time I had spent for this info! Thanks!
**prostafense**
ProstAfense is a premium, doctor-crafted supplement formulated to maintain optimal prostate function, enhance urinary performance, and support overall male wellness.
**neurosharp**
Neuro Sharp is a modern brain-support supplement created to help you think clearly, stay focused, and feel mentally confident throughout the day.
**prodentim**
ProDentim is a distinctive oral-care formula that pairs targeted probiotics with plant-based ingredients to encourage strong teeth, comfortable gums, and reliably fresh breath.
**nerve calm**
NerveCalm is a high-quality nutritional supplement crafted to promote nerve wellness, ease chronic discomfort, and boost everyday vitality.
Сделаю подборку альтернативные входы — беру с собой. Перу пещера Замечательный блог о туризме, поддерживайте в своём темпе. Благодарю вас!
#Interests#
**prodentim**
ProDentim is a distinctive oral-care formula that pairs targeted probiotics with plant-based ingredients to encourage strong teeth, comfortable gums, and reliably fresh breath.
**boostaro**
Boostaro is a purpose-built wellness formula created for men who want to strengthen vitality, confidence, and everyday performance.
**heroup**
HeroUP is a premium mens wellness formula designed to support sustained energy, physical stamina, and everyday confidence.
**citrus burn**
CitrusBurn is a Mediterranean-inspired thermogenic formula created to support a naturally slower metabolism, encourage efficient fat utilization.
**native gut**
NativeGut is a precision-crafted nutritional blend designed to nurture your dog’s digestive tract.
**mitolyn**
Mitolyn is a carefully developed, plant-based formula created to help support metabolic efficiency and encourage healthy, lasting weight management.
**aquasculpt**
AquaSculpt is a high-quality metabolic support supplement created to help the body utilize fat more efficiently while maintaining steady, reliable energy levels throughout the day.
**purdentix**
PurDentix is a revolutionary oral health supplement designed to support strong teeth and healthy gums. It tackles a wide range of dental concerns
**insuleaf**
InsuLeaf is a high-quality, naturally formulated supplement created to help maintain balanced blood glucose, support metabolic health, and boost overall vitality.
**primebiome**
The bodys natural process of skin cell renewal is essential for preserving a smooth, healthy, and youthful-looking complexion.
**prosta peak**
Prosta Peak is a high-quality prostate wellness supplement formulated with a comprehensive blend of 20+ natural ingredients and essential nutrients to support prostate health
**manergy**
Manergy is an advanced male vitality supplement created to help support healthy testosterone levels
**nervegenics**
NerveGenics is a naturally formulated nerve-health supplement created to promote nerve comfort, cellular energy support, antioxidant defense
**mounja boost**
MounjaBoost is a next-generation, plant-based supplement created to support metabolic activity, encourage natural fat utilization
**nervecalm**
NerveCalm is a high-quality nutritional supplement crafted to promote nerve wellness, ease chronic discomfort, and boost everyday vitality.
**gl pro**
GL Pro is a natural dietary supplement formulated to help maintain steady, healthy blood sugar levels while easing persistent sugar cravings.
I am not gay,i hate gay
ProDentim is a distinctive oral-care formula that pairs targeted probiotics with plant-based ingredients to encourage strong teeth, comfortable gums, and reliably fresh breath.
Mitolyn is a carefully developed, plant-based formula created to help support metabolic efficiency and encourage healthy, lasting weight management.
PurDentix is a revolutionary oral health supplement designed to support strong teeth and healthy gums. It tackles a wide range of dental concerns
HeroUP is a premium mens wellness formula designed to support sustained energy, physical stamina, and everyday confidence.
InsuLeaf is a high-quality, naturally formulated supplement created to help maintain balanced blood glucose, support metabolic health, and boost overall vitality.
Maintaining prostate health is crucial for men’s overall wellness, especially as they grow older. Conditions like reduced urine flow, interrupted sleep
The bodys natural process of skin cell renewal is essential for preserving a smooth, healthy, and youthful-looking complexion.
Manergy is an advanced male vitality supplement created to help support healthy testosterone levels
Arialief is a carefully developed dietary supplement designed to naturally support individuals dealing with sciatic nerve discomfort while promoting overall nerve wellness.
NativeGut is a precision-crafted nutritional blend designed to nurture your dog’s digestive tract.
Kerassentials is an entirely natural blend crafted with 4 potent core oils and enriched by 9 complementary oils and vital minerals.
Gluco6 is a natural, plant-based supplement designed to help maintain healthy blood sugar levels.
Nitric Boost Ultra is a daily wellness formula designed to enhance vitality and help support all-around performance.
NerveGenics is a naturally formulated nerve-health supplement created to promote nerve comfort, cellular energy support, antioxidant defense
ProstAfense is a premium, doctor-crafted supplement formulated to maintain optimal prostate function, enhance urinary performance, and support overall male wellness.
GL Pro is a natural dietary supplement formulated to help maintain steady, healthy blood sugar levels while easing persistent sugar cravings.
NerveCalm is a high-quality nutritional supplement crafted to promote nerve wellness, ease chronic discomfort, and boost everyday vitality.
Prostadine concerns can disrupt everyday rhythm with steady discomfort, fueling frustration and a constant hunt for dependable relief.
MounjaBoost is a next-generation, plant-based supplement created to support metabolic activity, encourage natural fat utilization
Prosta Peak is a high-quality prostate wellness supplement formulated with a comprehensive blend of 20+ natural ingredients and essential nutrients to support prostate health
ViriFlow is a dietary supplement formulated to help maintain prostate, bladder, and male reproductive health. Its blend of plant-based ingredients is designed to support urinary comfort and overall wellness as men age.
Visium Pro is an advanced vision support formula created to help maintain eye health, sharpen visual performance, and provide daily support against modern challenges such as screen exposure and visual fatigue.
Продолжаю следить — вы помогаете готовиться. путешествия Замок Шенонсо Мне нравится страницу о путешествиях. Потрясающенаходить такие статьи.
Boostaro is a purpose-built wellness formula created for men who want to strengthen vitality, confidence, and everyday performance.
The bodys natural process of skin cell renewal is essential for preserving a smooth, healthy, and youthful-looking complexion.
Nitric Boost Ultra is a daily wellness formula designed to enhance vitality and help support all-around performance.
Prosta Peak is a high-quality prostate wellness supplement formulated with a comprehensive blend of 20+ natural ingredients and essential nutrients to support prostate health
GL Pro is a natural dietary supplement formulated to help maintain steady, healthy blood sugar levels while easing persistent sugar cravings.
MounjaBoost is a next-generation, plant-based supplement created to support metabolic activity, encourage natural fat utilization
NativeGut is a precision-crafted nutritional blend designed to nurture your dog’s digestive tract.
看不懂但大受震撼
Very good i like it
wish you all the best
ProDentim is a modern oral-health supplement formulated with specialized probiotics and naturally sourced ingredients to help maintain firm teeth
AquaSculpt is a high-quality metabolic support supplement created to help the body utilize fat more efficiently while maintaining steady
Backbiome is an advanced daily wellness supplement formulated to help support spinal comfort, reduce feelings of built-up tension, and promote freer, smoother movement throughout everyday life.
PurDentix is a revolutionary oral health supplement designed to support strong teeth and healthy gums. It tackles a wide range of dental concerns, including gum inflammation and tooth decay
GL Pro is a natural dietary supplement formulated to help maintain steady, healthy blood sugar levels while easing persistent sugar cravings.
NerveCalm is a high-quality nutritional supplement crafted to promote nerve wellness, ease chronic discomfort, and boost everyday vitality.
Mass comment blasting: $10 for 100k comments. All from unique blog domains, zero duplicates. I will provide a full report and guarantee Ahrefs picks them up. Email mailto:helloboy1979@gmail.com for payment info.If you received this, you know Ive got the skills.
AquaSculpt is a high-quality metabolic support supplement created to help the body utilize fat more efficiently while maintaining steady
Backbiome is an advanced daily wellness supplement formulated to help support spinal comfort, reduce feelings of built-up tension, and promote freer, smoother movement throughout everyday life.
GL Pro is a natural dietary supplement formulated to help maintain steady, healthy blood sugar levels while easing persistent sugar cravings.
https://shorturl.fm/wPeEp
Кадры и истории показывают водные точки — очень наглядно. исторические места Гора Синай Ценю, где делятся опытом. Ваш блог именно в лучших традициях. Так держать.
wish you best and best