воскресенье, 12 января 2025 г.

Обновление PostgreSQL c 13 на 16 версию на Rocky Linux 9.4. Установка PostGIS

По умолчанию в Rocky Linux 9.4 в репозитариях присутствует пакет PostgreSQL 13.18.
Мне потребовалось установить расширение PostGIS, которое стабильно работает с 16 и более поздней версией. Поэтому для установки данного расширения необходимо провести update самой базы PostgreSQL с 13 на 16 версию.

Подключаемся к старой версии PostgreSQL (13) и проверяем установленные расширения:
# su - postgres -c "psql"
# \c <ИМЯ_БД>
# \dx

Расширение plpgsql обычно есть везде по умолчанию.
В новой версии должны быть как минимум те же самые расширения.

Устанавливаем репозитарий EPEL
# yum install -y epel-release
# dnf config-manager --enable crb

Добавляем репозитарий PostgreSQL
# dnf install -y https://download.postgresql.org/pub/repos/yum/reporpms/EL-9-x86_64/pgdg-redhat-repo-latest.noarch.rpm
Отключаем встроенный модуль postgresql в репозитариях по умолчанию.
# dnf -qy module disable postgresql
Проверка подключения репозитариев:
# yum repolist
Видим, что репозитарий с 16ой версией присутствует в списке доступных.
Вводим команду установки:
# dnf install postgresql16-server
Во время установки мы получим ошибки о том, что не получилось создать символьные ссылки на основные программы в папке /usr/bin/, так как целевые имена файлов уже используются. Все правильно. Так как в системе уже стоит PostgreSQL 13 версии. Создадим символьные ссылки позже.
failed to link /usr/bin/psql -> /etc/alternatives/pgsql-psql: /usr/bin/psql exists and it is not a symlink
failed to link /usr/bin/clusterdb -> /etc/alternatives/pgsql-clusterdb: /usr/bin/clusterdb exists and it is not a symlink
failed to link /usr/bin/createdb -> /etc/alternatives/pgsql-createdb: /usr/bin/createdb exists and it is not a symlink
failed to link /usr/bin/createuser -> /etc/alternatives/pgsql-createuser: /usr/bin/createuser exists and it is not a symlink
failed to link /usr/bin/dropdb -> /etc/alternatives/pgsql-dropdb: /usr/bin/dropdb exists and it is not a symlink
failed to link /usr/bin/dropuser -> /etc/alternatives/pgsql-dropuser: /usr/bin/dropuser exists and it is not a symlink
failed to link /usr/bin/pg_basebackup -> /etc/alternatives/pgsql-pg_basebackup: /usr/bin/pg_basebackup exists and it is not a symlink
failed to link /usr/bin/pg_dump -> /etc/alternatives/pgsql-pg_dump: /usr/bin/pg_dump exists and it is not a symlink
failed to link /usr/bin/pg_dumpall -> /etc/alternatives/pgsql-pg_dumpall: /usr/bin/pg_dumpall exists and it is not a symlink
failed to link /usr/bin/pg_restore -> /etc/alternatives/pgsql-pg_restore: /usr/bin/pg_restore exists and it is not a symlink
failed to link /usr/bin/reindexdb -> /etc/alternatives/pgsql-reindexdb: /usr/bin/reindexdb exists and it is not a symlink
failed to link /usr/bin/vacuumdb -> /etc/alternatives/pgsql-vacuumdb: /usr/bin/vacuumdb exists and it is not a symlink


Инициируем базу данных:
# /usr/pgsql-16/bin/postgresql-16-setup initdb

Переводим новую базу PostgreSQL-16 на работу с другим портом и делаем тестовый запуск.
# nano /var/lib/pgsql/16/data/postgresql.conf
Меняем директиву по умолчанию port = 5432 на port = 5433
То есть вписываем после закомментированной строчки 
#port = 5432                            # (change requires restart)
строку:
port = 5433
На данном этапе так же нужно сравнить специфичные настройки в файлах конфигурации: 
новой версии /var/lib/pgsql/16/data/postgresql.conf и старой версии /var/lib/pgsql/data/postgresql.conf,
новой версии /var/lib/pgsql/16/data/pg_hba.conf и старой версии /var/lib/pgsql/data/pg_hba.conf
Нужно что бы специфичные настройки в новой версии были такие же как в старой.
Стартуем новую версию PostgreSQL:
# systemctl start postgresql-16
Проверка работоспособности:
# systemctl status postgresql-16
# su - postgres -c "PGPORT=5433 psql"

Останавливаем новую базу:
# systemctl stop postgresql-16

Старая база postgresql-13 располагается тут /var/lib/pgsql/data, исполняемые файлы тут /usr/bin.
Новая база postgresql-16 держит файлы тут /var/lib/pgsql/16/data, исполняемые файлы тут /usr/pgsql-16/bin
Используя знания мест расположения, выполняем проверку возможности переноса данных из страрой базы в новую:
# su - postgres -c " \
/usr/pgsql-16/bin/pg_upgrade \
--old-datadir=/var/lib/pgsql/data \
--new-datadir=/var/lib/pgsql/16/data \
--old-bindir=/usr/bin \
--new-bindir=/usr/pgsql-16/bin \
--old-options '-c config_file=/var/lib/pgsql/data/postgresql.conf' \
--new-options '-c config_file=/var/lib/pgsql/16/data/postgresql.conf' \
--check \
"

Вывод должен быть таким:
Performing Consistency Checks on Old Live Server
------------------------------------------------
Checking cluster versions                                     ok
Checking database user is the install user                    ok
Checking database connection settings                         ok
Checking for prepared transactions                            ok
Checking for system-defined composite types in user tables    ok
Checking for reg* data types in user tables                   ok
Checking for contrib/isn with bigint-passing mismatch         ok
Checking for incompatible "aclitem" data type in user tables  ok
Checking for user-defined encoding conversions                ok
Checking for user-defined postfix operators                   ok
Checking for incompatible polymorphic functions               ok
Checking for presence of required libraries                   ok
Checking database user is the install user                    ok
Checking for prepared transactions                            ok
Checking for new cluster tablespace directories               ok
*Clusters are compatible*


Останавливам текущий экземпляер базы PostgreSQL-13 и выполняем перенос данных в новую базу:
# systemctl stop postgresql
# su - postgres -c " \
/usr/pgsql-16/bin/pg_upgrade \
--old-datadir=/var/lib/pgsql/data \
--new-datadir=/var/lib/pgsql/16/data \
--old-bindir=/usr/bin \
--new-bindir=/usr/pgsql-16/bin \
--old-options '-c config_file=/var/lib/pgsql/data/postgresql.conf' \
--new-options '-c config_file=/var/lib/pgsql/16/data/postgresql.conf' "

Произойдет копирование базы данных из старой версии в новую:
Performing Consistency Checks
-----------------------------
Checking cluster versions                                     ok
Checking database user is the install user                    ok
Checking database connection settings                         ok
Checking for prepared transactions                            ok
Checking for system-defined composite types in user tables    ok
Checking for reg* data types in user tables                   ok
Checking for contrib/isn with bigint-passing mismatch         ok
Checking for incompatible "aclitem" data type in user tables  ok
Checking for user-defined encoding conversions                ok
Checking for user-defined postfix operators                   ok
Checking for incompatible polymorphic functions               ok
Creating dump of global objects                               ok
Creating dump of database schemas                      ok
Checking for presence of required libraries                   ok
Checking database user is the install user                    ok
Checking for prepared transactions                            ok
Checking for new cluster tablespace directories               ok
If pg_upgrade fails after this point, you must re-initdb the
new cluster before continuing.
Performing Upgrade
------------------
Setting locale and encoding for new cluster                   ok
Analyzing all rows in the new cluster                         ok
Freezing all rows in the new cluster                          ok
Deleting files from new pg_xact                               ok
Copying old pg_xact to new server                             ok
Setting oldest XID for new cluster                            ok
Setting next transaction ID and epoch for new cluster         ok
Deleting files from new pg_multixact/offsets                  ok
Copying old pg_multixact/offsets to new server                ok
Deleting files from new pg_multixact/members                  ok
Copying old pg_multixact/members to new server                ok
Setting next multixact ID and offset for new cluster          ok
Resetting WAL archives                                        ok
Setting frozenxid and minmxid counters in new cluster         ok
Restoring global objects in the new cluster                   ok
Restoring database schemas in the new cluster   ok
Copying user relation files                                   ok
Setting next OID for new cluster                              ok
Sync data directory to disk                                   ok
Creating script to delete old cluster                         ok
Checking for extension updates                                ok
Upgrade Complete
----------------
Optimizer statistics are not transferred by pg_upgrade.
Once you start the new server, consider running:
    /usr/pgsql-16/bin/vacuumdb --all --analyze-in-stages
Running this script will delete the old cluster's data files:
    ./delete_old_cluster.sh


Стартуем новый сервер, подключаемся к нему и проверяем есть ли в нем данные:
# systemctl start postgresql-16
# su - postgres -c "PGPORT=5433 psql"
# \c <ИМЯ_БД>
# \dt 
# какие-нибудь команды SELECT

Если все в порядке, то меняем порт 5433 на 5432 у нового сервера
# nano /var/lib/pgsql/16/data/postgresql.conf
port = 5432
# systemctl restart postgresql-16
# systemctl enable postgresql-16
# systemctl disable postgresql
# systemctl status postgresql-16


Оптимизируем новую базу:
# su - postgres -c "/usr/pgsql-16/bin/vacuumdb --all --analyze-in-stages"
Удаляем данные старого кластера PostgreSQL-13:
# su - postgres -c "/var/lib/pgsql/delete_old_cluster.sh"
Удалить старый Postgresql (13 версии)
# yum remove postgresql postgresql-server
Создаем ссылки на исполняемые файлы Postgres
# ln -s /usr/pgsql-16/bin/psql /usr/bin/psql
# ln -s /usr/pgsql-16/bin/clusterdb /usr/bin/clusterdb
# ln -s /usr/pgsql-16/bin/createdb /usr/bin/createdb
# ln -s /usr/pgsql-16/bin/createuser /usr/bin/createuser
# ln -s /usr/pgsql-16/bin/dropdb /usr/bin/dropdb
# ln -s /usr/pgsql-16/bin/dropuser /usr/bin/dropuser
# ln -s /usr/pgsql-16/bin/pg_basebackup /usr/bin/pg_basebackup
# ln -s /usr/pgsql-16/bin/pg_dump /usr/bin/pg_dump
# ln -s /usr/pgsql-16/bin/pg_dumpall /usr/bin/pg_dumpall
# ln -s /usr/pgsql-16/bin/pg_restore /usr/bin/pg_restore
# ln -s /usr/pgsql-16/bin/reindexdb /usr/bin/reindexdb
# ln -s /usr/pgsql-16/bin/vacuumdb /usr/bin/vacuumdb


Теперь можно установить postgis выбрав правильные версии postgresql
# dnf install postgis34_16
# su - postgres -c "psql"
# \c <ИМЯ_БД>
# CREATE EXTENSION postgis;
CREATE EXTENSION

Проверка установленного расширения:
# SELECT * FROM pg_available_extensions WHERE name = 'postgis';
# \dx

Если при вводе команды "CREATE EXTENSION postgis;возникают вот такие ошибки
ERROR:  could not access file "$libdir/postgis-3": No such file or directory
или
ERROR:  could not open extension control file "/usr/share/pgsql/extension/postgis.control": No such file or directory

скорее всего в системе стоит несколько версий PostgreSQL, и не используемую нужно удалить.

На этом все.

пятница, 27 декабря 2024 г.

Запись CDR файлов Freeswitch 1.10 в базу PostgreSQL 15.10. ОС Rocky Linux 9.4.

1. Подготавливаем базу данных PostgreSQL для записи данных.
Создадим базу данных fscdr. Пользователя fscdr с паролем fscdrpassword.
# sudo -i -u postgres
$ psql
postgres=# CREATE DATABASE fscdr;
postgres=# CREATE USER fscdr WITH PASSWORD 'fscdrpassword';
postgres=# GRANT ALL PRIVILEGES ON DATABASE fscdr to fscdr;
postgres=# \c fscdr
fscdr=# CREATE TABLE cdr (
    id                        serial PRIMARY KEY,
    local_ip_v4               inet NOT NULL,
    caller_id_name            VARCHAR,
    caller_id_number          VARCHAR,
    destination_number        VARCHAR NOT NULL,
    context                   VARCHAR NOT NULL,
    start_stamp               TIMESTAMP WITH TIME zone NOT NULL,
    answer_stamp              TIMESTAMP WITH TIME zone,
    end_stamp                 TIMESTAMP WITH TIME zone NOT NULL,
    duration                  INT NOT NULL,
    billsec                   INT NOT NULL,
    hangup_cause              VARCHAR NOT NULL,
    uuid                      uuid NOT NULL,
    bleg_uuid                 uuid,
    accountcode               VARCHAR,
    read_codec                VARCHAR,
    write_codec               VARCHAR,
    sip_hangup_disposition    VARCHAR,
    ani                       VARCHAR
);
fscdr=# GRANT ALL PRIVILEGES ON ALL TABLES IN SCHEMA public TO "fscdr";
fscdr=# GRANT USAGE, SELECT ON SEQUENCE cdr_id_seq TO fscdr;

Теперь разрешаем пользователю fscdr соединяться с базой по логину и паролю:
# nano /var/lib/pgsql/data/pg_hba.conf
# IPv4 local connections:
host    all             bsdb            127.0.0.1/32            md5

Рестартуем сервис PostgreSQL:
# systemctl restart postgresql-15


2. Устанавливаем расширение mod_cdr_pg_csv для Freeswitch.
В моей инсталляции Freeswitch был собран из исходных кодов, поэтому модуль нужно так же зобрать из исходных кодов.
# export PKG_CONFIG_PATH=/usr/pgsql-15/lib/pkgconfig:/usr/lib/pkgconfig
# cd /usr/src/freeswitch/src/mod/event_handlers/mod_cdr_pg_csv/
# make install

Теперь в директории с модулями Freeswitch должны появитсья файлы расширения - mod_cdr_pg_csv
# ls -l /usr/lib64/freeswitch/mod/ | grep mod_cdr_pg_csv
Проверка загрузки модуля в Freeswitch
# fs_cli
> load mod_cdr_pg_csv
+OK Reloading XML
+OK
[CONSOLE] switch_loadable_module.c:1772 Successfully Loaded [mod_cdr_pg_csv]


3. Включаем модуль mod_cdr_pg_csv для загрузки при старте Freeswitch
# nano /etc/freeswitch/autoload_configs/modules.conf.xml
Добавляем строку:
<load module="mod_cdr_pg_csv"/>
Рестартуем Freeswitch:
# systemctl restart freeswitch
Проверить, что модуль загрузился после старта можно так:
# fs_cli
> module_exists mod_cdr_pg_csv
true


4. Настраиваем связку Freeswitch и PostgreSQL:
# nano autoload_configs/cdr_pg_csv.conf.xml
Раскомментируем строки:
 <param name="db-table" value="cdr"/>
 ....
 <field var="sip_hangup_disposition"/>
 <field var="ani"/>

и правим строку с авторизационными данными:
<param name="db-info" value="host=127.0.0.1 dbname=fscdr user=fscdr password='fscdrpassword' connect_timeout=10" />


Теперь все данные о вызовах (включая не успешные) будут записываться в базу данных.


пятница, 20 декабря 2024 г.

Установка Freswitch 1.10 в Rocky Linux 9.4 методом сборки из исходных кодов.

1. Выполним установку дополнительных репозитариев epel и crb

# dnf install epel-release

# /usr/bin/crb enable

2. Установим пакеты, которые потребуются для сборки 

# dnf install wget tar git gcc-c++ zlib-devel sqlite sqlite-devel libcurl libcurl-devel pcre-devel autoconf automake libtool cmake libuuid-devel libatomic openssl-devel unixODBC libedit-devel python3 python3-devel python3-click-threading python3-threadpoolctl python3-utils libvpx yasm lua-devel libsndfile-devel speexdsp-devel ldns-devel

# dnf --enablerepo=devel install unixODBC-devel opus-devel libogg-devel

3. Скачиваем пакеты spandsp и sofia-sip, которых нет в репозитариях, но которые требуются для функционирования freeswitch. Пакеты расположены на странице http://repo.okay.com.mx/?dir=centos/9/x86_64/release

# cd /usr/src

# wget http://repo.okay.com.mx/centos/9/x86_64/release/spandsp-3.0.0-1.el9.x86_64.rpm

# wget http://repo.okay.com.mx/centos/9/x86_64/release/spandsp-devel-3.0.0-1.el9.x86_64.rpm

# dnf install spandsp*

# wget http://repo.okay.com.mx/centos/9/x86_64/release/sofia-sip-1.13.17-1.el9.x86_64.rpm

# wget http://repo.okay.com.mx/centos/9/x86_64/release/sofia-sip-devel-1.13.17-1.el9.x86_64.rpm

# wget http://repo.okay.com.mx/centos/9/x86_64/release/sofia-sip-glib-1.13.17-1.el9.x86_64.rpm

# wget http://repo.okay.com.mx/centos/9/x86_64/release/sofia-sip-utils-1.13.17-1.el9.x86_64.rpm

# dnf install sofia-sip*

4. Далее необходимо установить определенные пакеты speex и speexdsp, рекомендуемые для Freswitch 1.10. Скачиваем и устанавливаем пакеты по инструкции с официального сайта:

# wget http://downloads.us.xiph.org/releases/speex/speex-1.2rc1.tar.gz

# wget http://downloads.us.xiph.org/releases/speex/speexdsp-1.2rc2.tar.gz

# tar -xpf speex-1.2rc1.tar.gz

# tar -xpf speexdsp-1.2rc2.tar.gz

# cd speex-1.2rc1

# ./configure --prefix=/usr --disable-static --docdir=/usr/share/doc/speex-1.2rc1

# make

# make install

# cd ../speexdsp-1.2rc2

# ./configure --prefix=/usr --disable-static --docdir=/usr/share/doc/speexdsp-1.2rc2

# make

# make install

5. Теперь необходимо установить пакет libks, который так же необходим для успешной сборки Freswitch 1.10

# cd /usr/src

# git clone https://github.com/signalwire/libks.git

# cd libks/

# cmake . -DCMAKE_INSTALL_PREFIX:PATH=/usr

# make

# make install

Данный пакет устанавливается как-то скрытно и его почему-то "не видно" другим пакетам, использующим libks. Что бы это исправить необходимо найти местоположение файла libks2.pc и путь к этому файлу прописать в переменную среды, которую используют сборщики и компиляторы - PKG_CONFIG_PATH

# find / | grep 'libks2.pc'

 /usr/lib/pkgconfig/libks2.pc
 /usr/src/libks/libks2.pc

Используем местоположение, ассоциированное с pkgconfig, то есть "/usr/lib/pkgconfig" и задаем переменную среды:

# export PKG_CONFIG_PATH=/usr/lib/pkgconfig 

6. Далее необходимо установить пакет signalwire-c, который так же устанавливается путем сборки из исходников

# cd /usr/src

# git clone https://github.com/signalwire/signalwire-c.git

# cd signalwire-c/

# cmake . -DCMAKE_INSTALL_PREFIX:PATH=/usr

# make

# make install

7. Далее необходимо установить ряд пакетов кодеков. Основные пакеты - это libavformat-dev и libswscale-dev. Но что бы совсем не иметь проблем с кодеками можно установить мощную утилиту ffmpeg с набором всех возможных кодеков.

# dnf install --nogpgcheck https://mirrors.rpmfusion.org/free/el/rpmfusion-free-release-$(rpm -E %rhel).noarch.rpm -y

# dnf install --nogpgcheck https://mirrors.rpmfusion.org/nonfree/el/rpmfusion-nonfree-release-$(rpm -E %rhel).noarch.rpm -y

# dnf install ffmpeg ffmpeg-devel

8. Современные сборки Freswitch 1.10 работают с БД Postgresql. Поэтому перед сборкой Freeswitch рекомендуется иметь пакет postgresql-devel и саму базу PostgeeSQL. Причем рекомендуется установить версию 15. Данный пункт можно пропустить, если не планируется использовать Freswitch со встроенной поддержкой postgresql. Устанавливаем репозитарий Postgresql для того, что бы иметь возможность пользоваться новыми версиями СУБД

# dnf install -y https://download.postgresql.org/pub/repos/yum/reporpms/EL-9-x86_64/pgdg-redhat-repo-latest.noarch.rpm

Отключаем встроенный модуль postgresql в репозитариях по умолчанию.

# dnf -qy module disable postgresql

Устанавливаем последнюю версию PostgreSQL

# dnf install -y postgresql15-devel postgresql15-server

# /usr/pgsql-15/bin/postgresql-15-setup initdb

# systemctl start postgresql-15

# systemctl enable postgresql-15

9. Теперь подошла очередь установить сам Freeswitch

# cd /usr/src

# wget https://files.freeswitch.org/freeswitch-releases/freeswitch-1.10.12.-release.tar.xz

# tar -xpJf freeswitch-1.10.12.-release.tar.xz

# mv freeswitch-1.10.12.-release freeswitch

Теперь в директории /usr/src/freeswitch лежит свежий код проекта Freeswich

10. Запускаем конфигурирование и сборку.

# cd freeswitch

# ./rebootstrap.sh

Для сборки Freeswitch c поддержкой PostgreSQL необходимо обогатить PKG_CONFIG_PATH переменную путем до файла libpq.pc. (при этом путь до libks2.pc должен остаться). В моем случае файл libks2.pc лежал тут "/usr/pgsql-15/lib/pkgconfig". В руководстве по установке Freeswitch так же рекомендуют добавить путь к исполняемому файлу PostgreSQL в переменную среды PATH.

# export PKG_CONFIG_PATH=/usr/pgsql-15/lib/pkgconfig:/usr/lib/pkgconfig 

# export PATH=/usr/pgsql-15/bin:$PATH

# ./configure -C --enable-portable-binary --prefix=/usr --localstatedir=/var --sysconfdir=/etc --with-gnu-ld --with-python3 --with-openssl --enable-core-odbc-support --enable-core-pgsql-support

Конфигурирование должно завершится выводом:

-------------------------- FreeSWITCH configuration --------------------------
  Locations:
      prefix:          /usr
      exec_prefix:     /usr
      bindir:          ${exec_prefix}/bin
      confdir:         /etc/freeswitch
      libdir:          /usr/lib64
      datadir:         /usr/share/freeswitch
      localstatedir:   /var/lib/freeswitch
      includedir:      /usr/include/freeswitch
      certsdir:        /etc/freeswitch/tls
      dbdir:           /var/lib/freeswitch/db
      grammardir:      /usr/share/freeswitch/grammar
      htdocsdir:       /usr/share/freeswitch/htdocs
      fontsdir:        /usr/share/freeswitch/fonts
      logfiledir:      /var/log/freeswitch
      modulesdir:      /usr/lib64/freeswitch/mod
      pkgconfigdir:    /usr/lib64/pkgconfig
      recordingsdir:   /var/lib/freeswitch/recordings
      imagesdir:       /var/lib/freeswitch/images
      runtimedir:      /var/run/freeswitch
      scriptdir:       /usr/share/freeswitch/scripts
      soundsdir:       /usr/share/freeswitch/sounds
      storagedir:      /var/lib/freeswitch/storage
      cachedir:        /var/cache/freeswitch
------------------------------------------------------------------------------

Запускаем сборку:

# make

Нормальный вывод после сборки:

 +---------- FreeSWITCH Build Complete ----------+
 + FreeSWITCH has been successfully built.       +
 + Install by running:                           +
 +                                               +
 +                make install                   +
 +                                               +
 + While you're waiting, register for ClueCon!   +
 + https://www.cluecon.com                       +
 +                                               +
 +-----------------------------------------------+
.=======================================================================================================.
|       _                            _    ____ _             ____                                       |
|      / \   _ __  _ __  _   _  __ _| |  / ___| |_   _  ___ / ___|___  _ __                             |
|     / _ \ | '_ \| '_ \| | | |/ _` | | | |   | | | | |/ _ \ |   / _ \| '_ \                            |
|    / ___ \| | | | | | | |_| | (_| | | | |___| | |_| |  __/ |__| (_) | | | |                           |
|   /_/   \_\_| |_|_| |_|\__,_|\__,_|_|  \____|_|\__,_|\___|\____\___/|_| |_|                           |
|                                                                                                       |
|    ____ _____ ____    ____             __                                                             |
|   |  _ \_   _/ ___|  / ___|___  _ __  / _| ___ _ __ ___ _ __   ___ ___                                |
|   | |_) || || |     | |   / _ \| '_ \| |_ / _ \ '__/ _ \ '_ \ / __/ _ \                               |
|   |  _ < | || |___  | |__| (_) | | | |  _|  __/ | |  __/ | | | (_|  __/                               |
|   |_| \_\|_| \____|  \____\___/|_| |_|_|  \___|_|  \___|_| |_|\___\___|                               |
|                                                                                                       |
|     ____ _             ____                                                                           |
|    / ___| |_   _  ___ / ___|___  _ __         ___ ___  _ __ ___                                       |
|   | |   | | | | |/ _ \ |   / _ \| '_ \       / __/ _ \| '_ ` _ \                                      |
|   | |___| | |_| |  __/ |__| (_) | | | |  _  | (_| (_) | | | | | |                                     |
|    \____|_|\__,_|\___|\____\___/|_| |_| (_)  \___\___/|_| |_| |_|                                     |
|                                                                                                       |
.=======================================================================================================.
make[2]: Leaving directory '/usr/src/freeswitch/build'
Making all in tests/unit
make[2]: Entering directory '/usr/src/freeswitch/tests/unit'
  CC       switch_eavesdrop.o
  CCLD     switch_eavesdrop
  CC       switch_event.o
  CCLD     switch_event
  CC       switch_hash.o
  CCLD     switch_hash
  CC       switch_ivr_originate.o
  CCLD     switch_ivr_originate
  CC       switch_utils.o
  CCLD     switch_utils
  CC       switch_core.o
  CCLD     switch_core
  CC       switch_console.o
  CCLD     switch_console
  CC       switch_vpx.o
  CCLD     switch_vpx
  CC       switch_core_file.o
  CCLD     switch_core_file
  CC       switch_ivr_play_say.o
  CCLD     switch_ivr_play_say
  CC       switch_core_codec.o
  CCLD     switch_core_codec
  CC       switch_rtp.o
  CCLD     switch_rtp
  CC       switch_xml.o
  CCLD     switch_xml
  CC       switch_core_video.o
  CCLD     switch_core_video
  CC       switch_core_db.o
  CCLD     switch_core_db
  CC       switch_vad.o
  CCLD     switch_vad
  CC       switch_packetizer.o
  CCLD     switch_packetizer
  CC       switch_core_session.o
  CCLD     switch_core_session
  CC       test_sofia.o
  CCLD     test_sofia
  CC       switch_ivr_async.o
  CCLD     switch_ivr_async
  CC       switch_core_asr.o
  CCLD     switch_core_asr
  CC       switch_log.o
  CCLD     switch_log
  CC       switch_hold.o
  CCLD     switch_hold
  CC       switch_sip.o
  CCLD     switch_sip
make[2]: Leaving directory '/usr/src/freeswitch/tests/unit'
make[1]: Leaving directory '/usr/src/freeswitch'

Запускаем установку

# make install

Установка завершается выводом:

 +---------- FreeSWITCH install Complete ----------+
 + FreeSWITCH has been successfully installed.     +
 +                                                 +
 +       Install sounds:                           +
 +       (uhd-sounds includes hd-sounds, sounds)   +
 +       (hd-sounds includes sounds)               +
 +       ------------------------------------      +
 +                make cd-sounds-install           +
 +                make cd-moh-install              +
 +                                                 +
 +                make uhd-sounds-install          +
 +                make uhd-moh-install             +
 +                                                 +
 +                make hd-sounds-install           +
 +                make hd-moh-install              +
 +                                                 +
 +                make sounds-install              +
 +                make moh-install                 +
 +                                                 +
 +       Install non english sounds:               +
 +       replace XX with language                  +
 +       (ru : Russian)                            +
 +       (fr : French)                             +
 +       ------------------------------------      +
 +                make cd-sounds-XX-install        +
 +                make uhd-sounds-XX-install       +
 +                make hd-sounds-XX-install        +
 +                make sounds-XX-install           +
 +                                                 +
 +       Upgrade to latest:                        +
 +       ----------------------------------        +
 +                make current                     +
 +                                                 +
 +       Rebuild all:                              +
 +       ----------------------------------        +
 +                make sure                        +
 +                                                 +
 +       Install/Re-install default config:        +
 +       ----------------------------------        +
 +                make samples                     +
 +                                                 +
 +                                                 +
 +       Additional resources:                     +
 +       ----------------------------------        +
 +       https://www.freeswitch.org                +
 +       https://freeswitch.org/confluence         +
 +       https://freeswitch.org/jira               +
 +       http://lists.freeswitch.org               +
 +                                                 +
 +       irc.freenode.net / #freeswitch            +
 +                                                 +
 +       Register For ClueCon:                     +
 +       ----------------------------------        +
 +       https://www.cluecon.com                   +
 +                                                 +
 +-------------------------------------------------+
.=======================================================================================================.
|       _                            _    ____ _             ____                                       |
|      / \   _ __  _ __  _   _  __ _| |  / ___| |_   _  ___ / ___|___  _ __                             |
|     / _ \ | '_ \| '_ \| | | |/ _` | | | |   | | | | |/ _ \ |   / _ \| '_ \                            |
|    / ___ \| | | | | | | |_| | (_| | | | |___| | |_| |  __/ |__| (_) | | | |                           |
|   /_/   \_\_| |_|_| |_|\__,_|\__,_|_|  \____|_|\__,_|\___|\____\___/|_| |_|                           |
|                                                                                                       |
|    ____ _____ ____    ____             __                                                             |
|   |  _ \_   _/ ___|  / ___|___  _ __  / _| ___ _ __ ___ _ __   ___ ___                                |
|   | |_) || || |     | |   / _ \| '_ \| |_ / _ \ '__/ _ \ '_ \ / __/ _ \                               |
|   |  _ < | || |___  | |__| (_) | | | |  _|  __/ | |  __/ | | | (_|  __/                               |
|   |_| \_\|_| \____|  \____\___/|_| |_|_|  \___|_|  \___|_| |_|\___\___|                               |
|                                                                                                       |
|     ____ _             ____                                                                           |
|    / ___| |_   _  ___ / ___|___  _ __         ___ ___  _ __ ___                                       |
|   | |   | | | | |/ _ \ |   / _ \| '_ \       / __/ _ \| '_ ` _ \                                      |
|   | |___| | |_| |  __/ |__| (_) | | | |  _  | (_| (_) | | | | | |                                     |
|    \____|_|\__,_|\___|\____\___/|_| |_| (_)  \___\___/|_| |_| |_|                                     |
|                                                                                                       |
.=======================================================================================================.
Checking module integrity in target [/usr/lib64/freeswitch/mod]
make[2]: Leaving directory '/usr/src/freeswitch/build'
Making install in tests/unit
make[2]: Entering directory '/usr/src/freeswitch/tests/unit'
make[3]: Entering directory '/usr/src/freeswitch/tests/unit'
 /bin/mkdir -p '/usr/bin'
  /bin/sh /usr/src/freeswitch/libtool   --mode=install /bin/install -c switch_eavesdrop '/usr/bin'
libtool: install: /bin/install -c .libs/switch_eavesdrop /usr/bin/switch_eavesdrop
make[3]: Nothing to be done for 'install-data-am'.
make[3]: Leaving directory '/usr/src/freeswitch/tests/unit'
make[2]: Leaving directory '/usr/src/freeswitch/tests/unit'
make[1]: Leaving directory '/usr/src/freeswitch'

Теперь осталось установить звуки:

# make cd-sounds-install

# make cd-moh-install

# make cd-sounds-ru-install

11. Freeswitch установлен. Теперь перед первым запуском нужно немного подрехтовать систему.

Сначала отключаем поддержку IPv6

# mv /etc/freeswitch/sip_profiles/internal-ipv6.xml /etc/freeswitch/sip_profiles/internal-ipv6.xml.removed

# mv /etc/freeswitch/sip_profiles/external-ipv6.xml /etc/freeswitch/sip_profiles/external-ipv6.xml.removed

12. Выполняем первый запуск. При первом запуске Freeswitch создаст необходимые для работы каталоги.

# /usr/bin/freeswitch

Запуск завершается выводом:

.=============================================================.
|   _____              ______        _____ _____ ____ _   _   |
|  |  ___| __ ___  ___/ ___\ \      / /_ _|_   _/ ___| | | |  |
|  | |_ | '__/ _ \/ _ \___ \\ \ /\ / / | |  | || |   | |_| |  |
|  |  _|| | |  __/  __/___) |\ V  V /  | |  | || |___|  _  |  |
|  |_|  |_|  \___|\___|____/  \_/\_/  |___| |_| \____|_| |_|  |
|                                                             |
.=============================================================.
|   Anthony Minessale II, Michael Jerris, Brian West, Others  |
|   FreeSWITCH (http://www.freeswitch.org)                    |
|   Paypal Donations Appreciated: paypal@freeswitch.org       |
|   Brought to you by ClueCon http://www.cluecon.com/         |
.=============================================================.
.=======================================================================================================.
|       _                            _    ____ _             ____                                       |
|      / \   _ __  _ __  _   _  __ _| |  / ___| |_   _  ___ / ___|___  _ __                             |
|     / _ \ | '_ \| '_ \| | | |/ _` | | | |   | | | | |/ _ \ |   / _ \| '_ \                            |
|    / ___ \| | | | | | | |_| | (_| | | | |___| | |_| |  __/ |__| (_) | | | |                           |
|   /_/   \_\_| |_|_| |_|\__,_|\__,_|_|  \____|_|\__,_|\___|\____\___/|_| |_|                           |
|                                                                                                       |
|    ____ _____ ____    ____             __                                                             |
|   |  _ \_   _/ ___|  / ___|___  _ __  / _| ___ _ __ ___ _ __   ___ ___                                |
|   | |_) || || |     | |   / _ \| '_ \| |_ / _ \ '__/ _ \ '_ \ / __/ _ \                               |
|   |  _ < | || |___  | |__| (_) | | | |  _|  __/ | |  __/ | | | (_|  __/                               |
|   |_| \_\|_| \____|  \____\___/|_| |_|_|  \___|_|  \___|_| |_|\___\___|                               |
|                                                                                                       |
|     ____ _             ____                                                                           |
|    / ___| |_   _  ___ / ___|___  _ __         ___ ___  _ __ ___                                       |
|   | |   | | | | |/ _ \ |   / _ \| '_ \       / __/ _ \| '_ ` _ \                                      |
|   | |___| | |_| |  __/ |__| (_) | | | |  _  | (_| (_) | | | | | |                                     |
|    \____|_|\__,_|\___|\____\___/|_| |_| (_)  \___\___/|_| |_| |_|                                     |
|                                                                                                       |
.=======================================================================================================.
2024-12-19 20:18:17.238152 100.00% [INFO] switch_core.c:2503
FreeSWITCH Version 1.10.12-release~64bit (-release 64bit)
FreeSWITCH Started
Max Sessions [1000]
Session Rate [30]
SQL [Enabled]
2024-12-19 20:18:17.238155 100.00% [CONSOLE] switch_core.c:2511
[This app Best viewed at 160x60 or more..]
freeswitch@pbx.smarts.ru> 2024-12-19 20:18:18.657140 99.83% [NOTICE] mod_signalwire.c:401 Go to https://signalwire.com to set up your Connector now! Enter connection token aa6eadd9-0a85-45db-9fcc-466f7beddbe1
2024-12-19 20:18:18.657140 99.83% [INFO] mod_signalwire.c:1125 Next SignalWire adoption check in 1 minutes
2024-12-19 20:19:18.737283 99.57% [NOTICE] mod_signalwire.c:401 Go to https://signalwire.com to set up your Connector now! Enter connection token aa6eadd9-0a85-45db-9fcc-466f7beddbe1

Что бы убедиться, что все работает вводим команду "sofia status"

freeswitch@pbx.domen.ru> sofia status

                     Name          Type                                       Data      State
=================================================================================================
               172.31.0.3         alias                                   internal      ALIASED
                 external       profile             sip:mod_sofia@1.3.20.5:5080      RUNNING (0)
    external::example.com       gateway                    sip:joeuser@example.com      NOREG
                 internal       profile             sip:mod_sofia@1.3.20.5:5060      RUNNING (0)
=================================================================================================
2 profiles 1 alias

Выход из системы по команде «shutdown».

Во всех современых сборках Freeswitch есть модуль mod_signalwire, который пытается установить связь с сервером компании SignalWire, спонсирующей разработку Freeswitch. Компания SignalWire предлагает услуги VoIP телефонии, но для РФ это не актуально. Для отключения этой навязчивой рекламы нужно отключить модуль mod_signalwire из загрузки.

Для этого открываем

# nano /etc/freeswitch/autoload_configs/modules.conf.xml

и комментируем строчку

<load module="mod_signalwire"/>  

превращая ее в

<!--<load module="mod_signalwire"/>-->

Теперь Freeswitch будет запускаться без функционала SignalWire.

13. Создаем системного пользователя от имени которого будет в дальнейшем работать freeswitch

# useradd --system freeswitch

# passwd -l freeswitch

Увеличиваем количество лимитов на открытие файлов и обращений к жесткому диску для пользователя freeswitch

# nano /etc/security/limits.conf

Вписываем в конец файла перед строкой

# End of file

Следующее строки:

freeswitch         hard    nofile      500000

freeswitch         soft    nofile      500000

14. Назначаем права на папки freeswitch

# chown -R freeswitch:freeswitch /etc/freeswitch/ /var/lib/freeswitch /var/log/freeswitch /run/freeswitch

15. Добавляем freeswitch в автозапуск системы systemd

# nano /usr/lib/systemd/system/freeswitch.service

Содержимое файла:

[Unit]
Description=freeswitch
After=syslog.target network.target postgresql-15.service httpd.service local-fs.target

[Service]
Type=forking
RuntimeDirectory=freeswitch
RuntimeDirectoryMode=0750
PIDFile=/run/freeswitch/freeswitch.pid
PermissionsStartOnly=true
ExecStart=/usr/bin/freeswitch -nc -nonat
ExecReload=/usr/bin/kill -HUP $MAINPID
TimeoutSec=45s
Restart=always
WorkingDirectory=/run/freeswitch
User=freeswitch
Group=freeswitch
UMask=0007

[Install]
WantedBy=multi-user.target

Рестартуем демон systemd:

# systemctl daemon-reload

Теперь можно запустить сервис freeswitch командой:

# systemctl start freeswitch

# systemctl enable freeswitch

К запущенному сервису Freeswitch можно подключится командой fs_cli

# fs_cli

.=======================================================.
|            _____ ____     ____ _     ___              |
|           |  ___/ ___|   / ___| |   |_ _|             |
|           | |_  \___ \  | |   | |    | |              |
|           |  _|  ___) | | |___| |___ | |              |
|           |_|   |____/   \____|_____|___|             |
|                                                       |
.=======================================================.
| Anthony Minessale II, Ken Rice,                       |
| Michael Jerris, Travis Cross                          |
| FreeSWITCH (http://www.freeswitch.org)                |
| Paypal Donations Appreciated: paypal@freeswitch.org   |
| Brought to you by ClueCon http://www.cluecon.com/     |
.=======================================================.
.=======================================================================================================.
|       _                            _    ____ _             ____                                       |
|      / \   _ __  _ __  _   _  __ _| |  / ___| |_   _  ___ / ___|___  _ __                             |
|     / _ \ | '_ \| '_ \| | | |/ _` | | | |   | | | | |/ _ \ |   / _ \| '_ \                            |
|    / ___ \| | | | | | | |_| | (_| | | | |___| | |_| |  __/ |__| (_) | | | |                           |
|   /_/   \_\_| |_|_| |_|\__,_|\__,_|_|  \____|_|\__,_|\___|\____\___/|_| |_|                           |
|                                                                                                       |
|    ____ _____ ____    ____             __                                                             |
|   |  _ \_   _/ ___|  / ___|___  _ __  / _| ___ _ __ ___ _ __   ___ ___                                |
|   | |_) || || |     | |   / _ \| '_ \| |_ / _ \ '__/ _ \ '_ \ / __/ _ \                               |
|   |  _ < | || |___  | |__| (_) | | | |  _|  __/ | |  __/ | | | (_|  __/                               |
|   |_| \_\|_| \____|  \____\___/|_| |_|_|  \___|_|  \___|_| |_|\___\___|                               |
|                                                                                                       |
|     ____ _             ____                                                                           |
|    / ___| |_   _  ___ / ___|___  _ __         ___ ___  _ __ ___                                       |
|   | |   | | | | |/ _ \ |   / _ \| '_ \       / __/ _ \| '_ ` _ \                                      |
|   | |___| | |_| |  __/ |__| (_) | | | |  _  | (_| (_) | | | | | |                                     |
|    \____|_|\__,_|\___|\____\___/|_| |_| (_)  \___\___/|_| |_| |_|                                     |
|                                                                                                       |
.=======================================================================================================.
Type /help <enter> to see a list of commands
[This app Best viewed at 160x60 or more..]
+OK log level  [7]
freeswitch@pbx.domen.ru>

Выход из консоли командой CTRL+D