Login | Register

Documentation

Documentation -> Tutorials -> Realtime OpenSIPS - Asterisk Integration

This page has been visited 183988 times.


1.  Realtime OpenSIPS - Asterisk Integration

Version 1.0


1.1  Scope

This tutorial presents the concept and implementation of a realtime integration of OpenSIPS SIP server and Asterisk media server.

OpenSIPS is used a SIP server - users are registering with it, it routes calls, etc - while the purpose of Asterisk is to provide a full set of media services - like voicemail, conference, announcements, etc.

It is a realtime integration because both OpenSIPS and Asterisk are provisioned in the same same time when comes to user accounts - when creating a new OpenSIPS users, automatically Asterisk will learn about it an provide and configure all necessary media services for it.

Both OpenSIPS and Asterisk will be provisioned (for user accounts) via a shared mysql database.


1.2  Setup presentation

The following services will be offered by this integrated configuration:

  • voicemail - users will get access to their mailbox; authentication will be done by OpenSIPS; while Asterisk will only provide voicemail IVR (with no access PIN);
  • conference' - opensips will detect and forward calls related to conference service (based on prefixes) to Asterisk, which will provide access (pin based) to the conference rooms;
  • announcements - OpenSIPS will identify the cases and types of announcements that needs to be played and will simply redirect to Asterisk.

1.3  Prerequisites

1.4  OpenSIPS

Install OpenSIPS 1.5 with mysql DB support (db_mysql module). if you use sources (tarballs or svn checkouts) do the following:

   $ make include_modules="db_mysql" prefix="/" all
   $ make include_modules="db_mysql" prefix="/" install

1.5  Asterisk

Use Asterisk 1.4. With 1.6, the DB scheme is a bit different and some additional fields may be required.

You need to have the voicemail support with DB support, so take care and install the unixodbc support in Asterisk.

Also for the conferencing part (meetme module) you need the zaptel support (ztdummy kernel module).


1.6  DB Setup

Only voicemail and conference services do require DB support. While the conference DB table will be exclusively be used by Asterisk (OpenSIPS does not require any information form there), the voicemail service do require a tight sharing of DB information about users between OpenSIPS and Asterisk.

Considering OpenSIPS as the core SIP element of the platform, the core DB will be also belonging to OpenSIPS - we will use the OpenSIPS DB to drive both OpenSIPS and Asterisk. The tables required by Asterisk (for voicemail service) will be mapped over the OpenSIPS tables.

This approach assumes two steps:

  1. creating the OpenSIP tables and extend them to contain also the fields (info) required by Asterisk.
  2. creating the mysql views over the OpenSIPS tables, in order to simulate the Asterisk tables
Creating the OpenSIPS tables

In file /etc/opensips/opensipsctlrc enable the mysql backend (see DBENGINE) and also configure the host where the mysql server is located, the name to be used for creating the opensips table, the read-only (ro) and read-write (rw) usernames and passwords to be created for accessing the opensips DB - see all the varaibles with DB prefix in the file.

Proceed with creation of the OpenSIPS standard database:

   $ opensipsdbctl create

If you use the default values to DB host and mysql access users, you can access the DB by:

   $ mysql -h'localhost' -u'opensips' -p'opensipsrw' opensips
     >

Once the default tables are created, we need to alter the subscriber table in order to add some additional fields required by the Asterisk DB view. These changes are:

  • add vm_password to be used as voicemail pin
  • add first_name and last_name as subscriber name
  • add email_address as subscriber's email address
  • add datetime_created as timestamp of the subscriber creation.

Login to the opensips database (use the above login command) and run:

  > alter table subscriber add column `vmail_password` varchar(8) NOT NULL default '1234';
  > alter table subscriber add column `first_name` varchar(25) NOT NULL default '';
  > alter table subscriber add column `last_name` varchar(45) NOT NULL default '';
  > alter table subscriber add column `email_address` varchar(50) NOT NULL default '';
  > alter table subscriber add column `datetime_created` datetime NOT NULL default '0000-00-00 00:00:00';
Creating the Asterisk tables

Create a separate database to be used by Asterisk - login as root into mysql server and run:

  > create database asterisk;
  > GRANT ALL PRIVILEGES ON asterisk.* TO 'asterisk' IDENTIFIED  BY 'asterisk_pwd';

Create the Asterisk tables which are exclusively used only by Asterisk (as mysql tables):

# create table for the meetme service
CREATE TABLE `meetme` (
  `confno` varchar(80) NOT NULL default '0',
  `username` varchar(64) NOT NULL default '',
  `domain` varchar(128) NOT NULL default '',
  `pin` varchar(20) default NULL,
  `adminpin` varchar(20) default NULL,
  `members` int(11) NOT NULL default '0',
  PRIMARY KEY  (`confno`)
) ENGINE=MyISAM

# create table to store the voicemail massages
CREATE TABLE `voicemessages` (
  `id` int(11) NOT NULL auto_increment,
  `msgnum` int(11) NOT NULL default '0',
  `dir` varchar(80) default '',
  `context` varchar(80) default '',
  `macrocontext` varchar(80) default '',
  `callerid` varchar(40) default '',
  `origtime` varchar(40) default '',
  `duration` varchar(20) default '',
  `mailboxuser` varchar(80) default '',
  `mailboxcontext` varchar(80) default '',
  `recording` longblob,
  PRIMARY KEY  (`id`),
  KEY `dir` (`dir`)
) ENGINE=MyISAM

Create the Asterisk tables (as mysql views) that import the information from OpenSIPS tables:

# create the asterisk users tables as a view over the OpenSIPS subscriber table
CREATE VIEW `asterisk`.`sipusers` AS select
  `opensips`.`subscriber`.`username` AS `name`,
  `opensips`.`subscriber`.`username` AS `username`,
  _latin1'friend' AS `type`,
  NULL AS `secret`,
  `opensips`.`subscriber`.`domain` AS `host`,
  concat(`opensips`.`subscriber`.`rpid`,_latin1' ',_latin1'<',`opensips`.`subscriber`.`username`,_latin1'>') AS `callerid`,
  _latin1'default' AS `context`,
  `opensips`.`subscriber`.`username` AS `mailbox`,
  _latin1'yes' AS `nat`,
  _latin1'no' AS `qualify`,
  `opensips`.`subscriber`.`username` AS `fromuser`,
  NULL AS `authuser`,
  `opensips`.`subscriber`.`domain` AS `fromdomain`,
  NULL AS `insecure`,
  _latin1'no' AS `canreinvite`,
  NULL AS `disallow`,
  NULL AS `allow`,
  NULL AS `restrictcid`,
  `opensips`.`subscriber`.`domain` AS `defaultip`,
  `opensips`.`subscriber`.`domain` AS `ipaddr`,
  _latin1'5060' AS `port`,
  NULL AS `regseconds`
from `opensips`.`subscriber`;

# create the asterisk voceimail users table as a view over the OpenSIPS subscriber table
CREATE VIEW `asterisk`.`vmusers` AS select
  concat(`opensips`.`subscriber`.`username`,`opensips`.`subscriber`.`domain`) AS `uniqueid`,
  `opensips`.`subscriber`.`username` AS `customer_id`,
  _latin1'default' AS `context`,
  `opensips`.`subscriber`.`username` AS `mailbox`,
  `opensips`.`subscriber`.`vmail_password` AS `password`,
  concat(`opensips`.`subscriber`.`first_name`,_latin1' ',`opensips`.`subscriber`.`last_name`) AS `fullname`,
  `opensips`.`subscriber`.`email_address` AS `email`,
  NULL AS `pager`,
  `opensips`.`subscriber`.`datetime_created` AS `stamp`
from `opensips`.`subscriber`;

#create the asterisk voicemail aliases table as a view over the OpenSIPS dbaliases table
CREATE VIEW `asterisk`.`vmaliases` AS select
  `opensips`.`dbaliases`.`alias_username` AS `alias`,
  _latin1'default' AS `context`,
  `opensips`.`dbaliases`.`username` AS `mailbox`
from `opensips`.`dbaliases`;

Configure the access for Asterisk to the created database (via unixodbc):

  • in etc/odbcinst.ini
[MySQL]
Description     = MySQL driver
Driver      = /usr/lib/odbc/libmyodbc.so
Setup       = /usr/lib/odbc/libodbcmyS.so
CPTimeout       =
CPReuse     =
UsageCount      = 1
  • in /etc/odbc.ini
[MySQL-asterisk]
Description = MySQL Asterisk database
Trace       = Off
TraceFile   = stderr
Driver      = MySQL
SERVER      = localhost
USER        = asterisk
PASSWORD    = asterisk_pwd
PORT        = 3306
DATABASE    = asterisk
  • in /etc/asterisk/res_odbc.conf
[asterisk]
enabled => yes
dsn => MySQL-asterisk
username => asterisk
password => asterisk_pwd
pre-connect => yes
  • in /etc/asterisk/extconfig.conf
sipusers => odbc,asterisk,sipusers
sippeers => odbc,asterisk,sipusers
voicemail => odbc,asterisk,vmusers
meetme => odbc,asterisk,meetme

1.7  Asterisk dialplan

The following extensions are set for Asterisk:

  1. VMR_ prefix indicates that the caller (identify by SIP FROM header) leaves a voicemail message to the user indicated by the RURI (after the prefix).
  2. VM_pickup RURI indicates that the caller (identify by SIP FROM header) accesses his own voicemailbox IVR (to listen his messages); the access is done directly, without any PIN required from Asterisk
  3. AN_notavailable plays the "Not Available" audio message
  4. AN_time plays the current time message (for the given timezone)
  5. AN_date plays the current time message (for the given timezone)
  6. AN_echo accesses the echo audio service
  7. CR_ prefix indicates access to a conference room; the number of the room is part of the RURI, after the prefix (like CR_3322); Asterisk will perform the checks for conference room existence and for the access PIN code.

Set in /etc/asterisk/extensions.conf' :

[general]
static=yes
writeprotect=no

[default]

; Voicemail 
exten => _VMR_.,n,Ringing
exten => _VMR_.,n,Wait(1)
exten => _VMR_.,n,Answer
exten => _VMR_.,n,Wait(1)
exten => _VMR_.,n,Voicemail(${EXTEN:4}|u)
exten => _VMR_.,n,Hangup

; Allow users to call their Voicemail directly
exten => VM_pickup,n,Ringing
exten => VM_pickup,n,wait(1)
exten => VM_pickup,n,VoicemailMain(${CALLERIDNUM}|s)
exten => VM_pickup,n,Hangup


; announcement: not available
exten => AN_notavailable,1,Ringing
exten => AN_notavailable,2,Playback(notavailable)
exten => AN_notavailable,3,Hangup

; announcement: time
exten => AN_time,1,Ringing
exten => AN_time,2,Wait(1)
exten => AN_time,3,SayUnixTime(,Europe/Bucharest,HMp)
exten => AN_time,4,Hangup

; announcement:date
exten => AN_date,1,Ringing
exten => AN_date,2,SayUnixTime(,Europe/Bucharest,ABdY)
exten => AN_date,3,Hangup

; announcement: echo
exten => AN_echo,1,Ringing
exten => AN_echo,2,Answer
exten => AN_echo,3,Echo

; Conference service
exten => _CR_.,1,Ringing
exten => _CR_.,n,Wait(1)
exten => _CR_.,n,MeetMe(${EXTEN:3}|Mi)



1.8  OpenSIPS configuration

In this example we take the OpenSIPS default config file that provides user registration and authentication against the DB and extends the script for adding the following media oriented services:

  1. voicemail
    1. leaving a message - if the called user is not registered on OpenSIPS, the call will be forwarded by OpenSIPS (by adding VMR_ prefix) to Asterisk
    2. listening messages -if a subscriber calls to the *1111 number, OpenSIPS will rewrite it to VM_pickup and send it to Asterisk
  2. announcements
    1. service number *2111 for listening the current time message - OpenSIPS will rewrite it to AN_time and send it to Asterisk
    2. service number *2112 for listening the current date message - OpenSIPS will rewrite it to AN_date and send it to Asterisk
    3. service number *2113 for accessing the echo service - OpenSIPS will rewrite it to AN_echo and send it to Asterisk
  3. conference
    1. service number *3XXX for dialling into the conference room XXX - OpenSIPS will rewrite it to CR_XXX and send it to Asterisk

In /etc/opensips/opensips.cfg place (see the ASTERISK_HOOKS markers to find the script parts relevant to Asterisk integration):


####### Global Parameters #########

debug=3
log_stderror=no
log_facility=LOG_LOCAL0

fork=yes
children=4

/* uncomment the following lines to enable debugging */
#debug=6
#fork=no
#log_stderror=yes

port=5060

/* uncomment and configure the following line if you want opensips to 
   bind on a specific interface/port/proto (default bind on all available) */
#listen=udp:192.168.1.2:5060


####### Modules Section ########

#set module path
mpath="/lib/opensips/modules/"

loadmodule "db_mysql.so"
loadmodule "signaling.so"
loadmodule "sl.so"
loadmodule "tm.so"
loadmodule "rr.so"
loadmodule "maxfwd.so"
loadmodule "usrloc.so"
loadmodule "registrar.so"
loadmodule "textops.so"
loadmodule "mi_fifo.so"
loadmodule "uri_db.so"
loadmodule "uri.so"
loadmodule "xlog.so"
loadmodule "acc.so"
loadmodule "auth.so"
loadmodule "auth_db.so"
loadmodule "domain.so"

# ----------------- setting module-specific parameters ---------------


# ----- mi_fifo params -----
modparam("mi_fifo", "fifo_name", "/tmp/opensips_fifo")

# ----- rr params -----
# add value to ;lr param to cope with most of the UAs
modparam("rr", "enable_full_lr", 1)
# do not append from tag to the RR (no need for this script)
modparam("rr", "append_fromtag", 0)

# ----- usrloc params -----
modparam("usrloc", "db_mode",   2)
modparam("usrloc", "db_url",
	"mysql://opensips:opensipsrw@localhost/opensips")

# ----- uri_db params -----
modparam("uri_db", "use_uri_table", 0)
modparam("uri_db", "db_url", "")

# ----- acc params -----
/* what sepcial events should be accounted ? */
modparam("acc", "early_media", 1)
modparam("acc", "report_ack", 1)
modparam("acc", "report_cancels", 1)
/* account triggers (flags) */
modparam("acc", "failed_transaction_flag", 3)
modparam("acc", "log_flag", 1)
modparam("acc", "log_missed_flag", 2)
/* uncomment the following lines to enable DB accounting also */
modparam("acc", "db_flag", 1)
modparam("acc", "db_missed_flag", 2)

# ----- auth_db params -----
modparam("auth_db", "calculate_ha1", yes)
modparam("auth_db", "password_column", "password")
modparam("auth_db", "db_url",
	"mysql://opensips:opensipsrw@localhost/opensips")
modparam("auth_db", "load_credentials", "")

# ----- domain params -----
modparam("domain", "db_url",
	"mysql://opensips:opensipsrw@localhost/opensips")
modparam("domain", "db_mode", 1)   # Use caching

# ----- multi-module params -----
/* uncomment the following line if you want to enable multi-domain support
   in the modules (dafault off) */
modparam("alias_db|auth_db|usrloc|uri_db", "use_domain", 1)


####### Routing Logic ########


# main request routing logic

route{

	if (!mf_process_maxfwd_header("10")) {
		send_reply("483","Too Many Hops");
		exit;
	}

	if (has_totag()) {
		# sequential request withing a dialog should
		# take the path determined by record-routing
		if (loose_route()) {
			if (is_method("BYE")) {
				setflag(1); # do accounting ...
				setflag(3); # ... even if the transaction fails
			} else if (is_method("INVITE")) {
				# even if in most of the cases is useless, do RR for
				# re-INVITEs alos, as some buggy clients do change route set
				# during the dialog.
				record_route();
			}
			# route it out to whatever destination was set by loose_route()
			# in $du (destination URI).
			route(1);
		} else {
			if ( is_method("ACK") ) {
				if ( t_check_trans() ) {
					# non loose-route, but stateful ACK; must be an ACK after 
					# a 487 or e.g. 404 from upstream server
					t_relay();
					exit;
				} else {
					# ACK without matching transaction ->
					# ignore and discard
					exit;
				}
			}
			send_reply("404","Not here");
		}
		exit;
	}

	#initial requests

	# CANCEL processing
	if (is_method("CANCEL")) {
		if (t_check_trans())
			t_relay();
		exit;
	}

	t_check_trans();

	# authenticate if from local subscriber
	if (!(method=="REGISTER") && is_from_local()) {
		if (!proxy_authorize("", "subscriber")) {
			proxy_challenge("", "0");
			exit;
		}
		if (!check_from()) {
			send_reply("403","Forbidden auth ID");
			exit;
		}

		consume_credentials();
		# caller authenticated
	}

	# preloaded route checking
	if (loose_route()) {
		xlog("L_ERR",
		"Attempt to route with preloaded Route's [$fu/$tu/$ru/$ci]");
		if (!is_method("ACK"))
			send_reply("403","Preload Route denied");
		exit;
	}

	# record routing
	if (!is_method("REGISTER|MESSAGE"))
		record_route();

	# account only INVITEs
	if (is_method("INVITE")) {
		setflag(1); # do accounting
	}

	# if not a targetting a local SIP domain, just send it out
	# based on DNS (calls to foreign SIP domains)
	if (!is_uri_host_local()) {
		append_hf("P-hint: outbound\r\n"); 
		route(1);
	}

	# requests for my domain

	if (is_method("REGISTER")) {
		# authenticate the REGISTER requests
		if (!www_authorize("", "subscriber")) {
			www_challenge("", "0");
			exit;
		}
		if (!check_to()) {
			send_reply("403","Forbidden auth ID");
			exit;
		}

		if (!save("location"))
			sl_reply_error();

		exit;
	}

	if ($rU==NULL) {
		# request with no Username in RURI
		send_reply("484","Address Incomplete");
		exit;
	}

	# ASTERISK HOOK - BEGIN
	# media service number? (digits starting with *)
	if ($rU=~"^\*[1-9]+") {
		# we do provide access to media services only to our
		# subscribers, who were previously authenticated 
		if (!is_from_local()) {
			send_reply("403","Forbidden access to media service");
			exit;
		}
		#identify the services and translate to Asterisk extensions
		if ($rU=="*1111") {
			# access to own voicemail IVR
			seturi("sip:VM_pickup@ASTERISK_IP:ASTERISK_PORT");
		} else
		if ($rU=="*2111") {
			# access to the "say time" announcement 
			seturi("sip:AN_time@ASTERISK_IP:ASTERISK_PORT");
		} else
		if ($rU=="*2112") {
			# access to the "say date" announcement 
			seturi("sip:AN_date@ASTERISK_IP:ASTERISK_PORT");
		} else
		if ($rU=="*2113") {
			# access to the "echo" service
			seturi("sip:AN_echo@ASTERISK_IP:ASTERISK_PORT");
		} else
		if ($rU=~"\*3[0-9]{3}") {
			# access to the conference service 
			# remove the "*3" prefix and place the "CR_" prefix
			strip(2);
			prefix("CR_");
			rewritehostport("ASTERISK_IP:ASTERISK_PORT");
		} else {
			# unknown service
			seturi("sip:AN_notavailable@ASTERISK_IP:ASTERISK_PORT");
		}
		# after setting the proper RURI (to point to corresponding ASTERISK extension),
		# simply forward the call
		t_relay();
		exit;
	}
	# ASTERISK HOOK - END

	# do lookup
	if (!lookup("location")) {
		# ASTERISK HOOK - BEGIN
		# callee is not registered, so different to Voicemail
		# First add the VM recording prefix to the RURI
		prefix("VMR_");
		# forward to the call to Asterisk (replace below with real IP and port)
 		rewritehostport("ASTERISK_IP:ASTERISK_PORT");
		route(1);
		# ASTERISK HOOK - END
		exit;
	}

	# when routing via usrloc, log the missed calls also
	setflag(2);

	# arm a failure route in order to catch failed calls
	# targeting local subscribers; if we fail to deliver
	# the call to the user, we send the call to voicemail
	t_on_failure("1");

	route(1);
}


route[1] {
	if (!t_relay()) {
		sl_reply_error();
	};
	exit;
}


failure_route[1] {
	if (t_was_cancelled()) {
		exit;
	}

	# if the failure code is "408 - timeout" or "486 - busy",
	# forward the calls to voicemail recording
	if (t_check_status("486|408")) {
		# ASTERISK HOOK - BEGIN
		# First revert the RURI to get the original user in RURI
		# Then add the VM recording prefix to the RURI
		revert_uri();
		prefix("VMR_");
		# forward to the call to Asterisk (replace below with real IP and port)
 		rewritehostport("ASTERISK_IP:ASTERISK_PORT");
		t_relay();
		# ASTERISK HOOK - END
		exit;
	}
}

1.9  How to use it

Add a SIP domain in the OpenSIPS server (note that the sip domain most point -via DNS- to your opensips server; also for a SIP domain, you can use the IP address of the SIP server too):

$ mysql -h'localhost' -u'opensips' -p'opensipsrw' opensips
 > insert into domain (domain) values ("test.com");

$ opensipsctl fifo domain_reload

Create some subscribers with your OpenSIPS platform (alice@test.com with SIP password '1234'):

$ opensipsctl add alice@test.com 1234
$ opensipsctl add bob@test.com 4321

If you want to change the voicemail pin (for subscriber alice@test.com):

$ mysql -h'localhost' -u'opensips' -p'opensipsrw' opensips
 > update subscriber set vm_password="6745" where username="alice" and domain="test.com";
Test voicemail

Register your alice subscriber (ex: using twinkle soft client) to your server. Keep bob unregistered.

From alice dial bob address - you should get the prompt for leaving a voicemail messages/recording.

Register bob also and dial *1111 - you should get the voicemail IVR and listen the recording left by alice.

Test announcements

Form a registered subscriber, simply dial the service numbers as configured in OpenSIPS (see the beginning of the previous chapter).

Test conference

Add a conference room to your system:

$ mysql -h'localhost' -u'asterisk' -p'asterisk_pwd' asterisk
 > insert into meetme (confno, pin, adminpin) values ("761","1122","4322");

From a registered SIP user, dial *3761 (to dial in conf room 761) and at IVR prompt type 1122 access pin.


BTN?31 August 2009, 22:11

Which module is revert_ruri(); located? Seems like my setup throws an error when running because of this. Also when running sl_send_error(). If I comment these 2 lines out opensips runs.

[bogdan] - he correct name is revert_uri() - I fixed the script; this function is exported directly by core, not by a module. Also, there is no sl_send_error() in the script ?!

Eberx?01 September 2009, 09:20

kuul. Cool.

BTN?01 September 2009, 16:14

sorry meant sl_reply_error()

Sep 1 10:09:20 [28030] ERROR:core:check_actions: script function "sl_reply_error" (types=1) does not support route type (2) Sep 1 10:09:20 [28030] ERROR:core:check_actions: route stack[0]=0 Sep 1 10:09:20 [28030] ERROR:core:main: bad function call in config file

[bogdan] - there was a small mistake in the failure route. I replaced "route(1)" with "t_relay()" - the problem is the "sl_reply_error" function cannot be called from failure route

Philippe HENSEL?01 September 2009, 22:36

Very nice initiative ! Such an update-to-date document is fundamental for a correct use of OpenSIPS in conjunction with Asterisk. Thanks a lot !!

BTN?04 September 2009, 19:37

Ok, So one other fix I noticed is that in the Asterisk Dialplan, we changed it to VM_pickup not VMS_pickup and also, these exten => _VMR_.,n,Ringing exten => _VMR_.,n,Wait(1) exten => _VMR_.,n,Answer exten => _VMR_.,n,Wait(1) exten => _VMR_.,n,Voicemail(|u) exten => _VMR_.,n,Hangup

; Allow users to call their Voicemail directly exten => VMS_pickup,n,Ringing exten => VMS_pickup,n,wait(1) exten => VMS_pickup,n,VoicemailMain(|s) exten => VMS_pickup,n,Hangup

should be replaced with

exten => _VMR_.,1,Ringing exten => _VMR_.,n,Wait(1) exten => _VMR_.,n,Answer exten => _VMR_.,n,Wait(1) exten => _VMR_.,n,Voicemail(|u) exten => _VMR_.,n,Hangup

; Allow users to call their Voicemail directly exten => VM_pickup,1,Ringing exten => VM_pickup,n,wait(1) exten => VM_pickup,n,VoicemailMain(|s) exten => VM_pickup,n,Hangup

The type is setting the 1 in the squence, before it was n.

Thanks again.

[bogdan] - thanks for VMS_pickup ->VM_pickup hint - I updated the tutorial!

Karnith?15 September 2009, 13:33

I get an error with phplib_id when creating the views. There is no table phplib_id in opensips.

How could this be applied to trixbox? I added the phplib_id table and was able to create the view, it shows the data in the db, but it doesn't create extensions for the users.

Thanks for the tut.

[bogdan] - thanks for reporting the issue - I got rid of that phplib_id and replaced with a concat of username and domain.

kowalma?15 September 2009, 22:46

Hi,

 I'm using 1.6 and I think you are missing some fileds:

[Sep 15 22:39:14] WARNING[18413] res_config_odbc.c: Realtime table sipusers@asterisk: column 'regseconds' is not long enough to contain realtime data (needs 11) [Sep 15 22:39:14] WARNING[18413] res_config_odbc.c: Realtime table sipusers@asterisk requires column 'defaultuser', but that column does not exist! [Sep 15 22:39:14] WARNING[18413] res_config_odbc.c: Realtime table sipusers@asterisk requires column 'fullcontact', but that column does not exist! [Sep 15 22:39:14] WARNING[18413] res_config_odbc.c: Realtime table sipusers@asterisk requires column 'regserver', but that column does not exist! [Sep 15 22:39:14] WARNING[18413] res_config_odbc.c: Realtime table sipusers@asterisk requires column 'useragent', but that column does not exist! [Sep 15 22:39:14] WARNING[18413] res_config_odbc.c: Realtime table sipusers@asterisk requires column 'lastms', but that column does not exist!

[bogdan] - it seams that there are some changes in Asterisk DB between 1.4 and 1.6, so I will reduce the compatibility to 1.4, until these errors are fixed in the tutorial. Thanks for your report

Duane Larson?29 September 2009, 20:01

When you update the users PIN by doing the following

     $ mysql -h'localhost' -u'opensips' -p'opensipsrw' opensips
     > update subscriber set vmail_password="6745" where username="alice" and domain="test.com";

A restart is required for OpenSIPS correct?

[bogdan] - no restart is required

Duane Larson?07 October 2009, 00:05

Ahhh I just tested reseting the users voicemail password and a restart is not required with OpenSIPS. Sweet! I guess its because of the MySQL views into the OpenSIPS DB. There are two different typos above Typo update subscriber set vm_password="6745" where username="alice" and domain="test.com";

It should really be update subscriber set vmail_password="6745" where username="alice" and domain="test.com";

Typo concat(`opensips`.`subscriber`.`username`,`opensips`.`subscriber`.`domain`) AS AS `uniqueid`,

It should really be concat(`opensips`.`subscriber`.`username`,`opensips`.`subscriber`.`domain`) AS `uniqueid`,

Also with this setup you need to make sure that the username is unique because asterisk only looks at the mailbox name and doesn't include the domain name. So you could have an account 24X48XX@test.com and also 24X48XX@foo.com and you would see issues because asterisk will only look for the "24X48XX" in the table and not "24X48XX@test.com"

I was trying to create a system where the primary account name equals the users email address and the dbaliase is the DID, but if I did it like that if the user called in remotely to check their voicemail and Asterisk asks what mailbox they want to check there is no way for the user to type in the email name on the phone. So beware of that.

Thanks for the Tutorial. Worked like a charm.

[bogdan] - Thanks for the tips: the typos were fixed; for the mailbox issue, maybe having the mailbox name as concat between username and domain (from subscriber table) will solve the problem

Karnith?25 October 2009, 16:39

Because I use trixbox, I did this another way. I copied the dbs over to the opensips server and pointed the trixbox to this server to use the dbs. I wanted to use the full features of trixbox, including the web interfaces for the user accounts, so I will be having opensips subscriber table as a view over the trixbox users table for authentication to the opensips server and user accounts. I happen to be stuck though....

The trixbox users table can provide most of the info needed, but the password field is blank. I need to pull the password from the sip table, but I can't seem to figure out how to make a view properly due to the table structure. I have this so far for the opensips view

CREATE VIEW `opensips`.`subscriber` AS select

  `asterisk`.`users`.`extension` AS `id`,
  `asterisk`.`users`.`extension` AS `username`,
  _latin1'default' AS `domain`,
  `asterisk`.`users`.`password` AS `password`

from `asterisk`.`users`;

now the sips table layout is:

|id |keyword |data |flags|

with 22 entries of the id per extension/account. How could I setup in my view the ability to pull from the correct id, keywod and data field to get the password for the account to show in the password virtual table? For example, the password I need is on the 18th row. Could anyone help me with this please?

Once I get this working, I will post what I did in a tutorial.

Thanks,

Karnith

Karnith?02 November 2009, 14:08

Well, I finally got the view to work using

CREATE VIEW `opensips`.`subscriber` AS select

  `asterisk`.`sip`.`id` AS `id`,
  `asterisk`.`sip`.`id` AS `username`,
  _latin1'emunited' AS `domain`,
  `asterisk`.`sip`.`data` AS `password`,
  _latin1'' AS `ha1`,
  _latin1'' AS `ha2`,
  _latin1'' AS `rpid`

from `asterisk`.`sip` where keyword='secret';

I decided to use the sip table as it has just about everything I need to use for accounts in opensips. What I am running into now is when I try to call *97 (for vmail) I get a forbidden access to media service error. Other then that opensips is happy with the view for subscribers and I can make calls to the extensions I create in the freepbx area of trixbox. The view still needs some work, but it is the forbidden error that worries me. In asterisk cli I can see, with sip debug, that if I dial an extension that is not connected it forwards the call to asterisk, but doesn't go to voice mail. Any Ideas on the forbidden error?

alisajjad007?03 November 2009, 18:53

there is an minor correction that the AS is repeated twice in the script on line 2 i-e in the

  1. create the asterisk voceimail users table as a view over the OpenSIPS subscriber table

""concat(`opensips`.`subscriber`.`username`,`opensips`.`subscriber`.`domain`) AS AS "" thanks n regards Ali

[bogdan] - fixed, thank you

newtoopensips?08 December 2009, 11:09

I'm using asterisk 1.6 but nothing is working with your script unable to dial voicemail with *1111

what do you mean here:

"Use Asterisk 1.4. With 1.6, the DB scheme is a bit different and some additional fields may be required."

Did you mean "Use Asterisk 1.4. or 1.6"?

[bogdan] - Asterisk 1.6 is not supported as the DB format changed; you need to use Asterisk 1.4

iotohy?02 January 2010, 02:51

Hi newtoopensips I use opensips 1.6.0(tls) and Asterisk 1.6.2

you can try

change exten => _VMR_.,n,Ringing to exten => _VMR_.,1,Ringing change exten => VM_pickup,n,Ringing to exten => VM_pickup,1,Ringing

18 January 2010, 16:12

On Opensips 1.6 with Asterisk 1.4.28 this is my working config

i found error when iam adding views in the database;

  1. create the asterisk voceimail users table as a view over the OpenSIPS subscriber table

CREATE VIEW `asterisk`.`vmusers` AS select

  concat(`opensips`.`subscriber`.`username`,`opensips`.`subscriber`.`domain`) AS `uniqueid`,
  `opensips`.`subscriber`.`username` AS `customer_id`,
  _latin1'default' AS `context`,
  `opensips`.`subscriber`.`username` AS `mailbox`,
  `opensips`.`subscriber`.`vmail_password` AS `password`,
  concat(`opensips`.`subscriber`.`first_name`,_latin1' ',`opensips`.`subscriber`.`last_name`) AS `fullname`,
  `opensips`.`subscriber`.`email_address` AS `email`,
  NULL AS `pager`,
  `opensips`.`subscriber`.`datetime_created` AS `stamp`

from `opensips`.`subscriber`;

my extension.conf

[general] static=yes writeprotect=no

[default]

; Voicemail exten => _VMR_.,1,Voicemail(,u) exten => _VMR_.,2,Hangup

; Allow users to call their Voicemail directly exten => VM_pickup,1,Ringing exten => VM_pickup,2,wait(1) exten => VM_pickup,3,VoicemailMain(${CALLERID(num)}) exten => VM_pickup,4,Playback(Goodbye) exten => VM_pickup,5,Hangup

; announcement: not available exten => AN_notavailable,1,Ringing exten => AN_notavailable,2,Playback(notavailable) exten => AN_notavailable,3,Hangup

; announcement: time exten => AN_time,1,Ringing exten => AN_time,2,Wait(1) exten => AN_time,3,SayUnixTime(,Europe/Bucharest,HMp) exten => AN_time,4,Hangup

; announcement:date exten => AN_date,1,Ringing exten => AN_date,2,SayUnixTime(,Europe/Bucharest,ABdY) exten => AN_date,3,Hangup

; announcement: echo exten => AN_echo,1,Ringing exten => AN_echo,2,Answer exten => AN_echo,3,Echo

; Conference service exten => _CR_.,1,Answer exten => _CR_.,2,MeetMe(,Mi) exten => _CR_.,3,Hnagup

please03 March 2010, 19:37

HI I got some problem integration with asterisk

I got error when step #opensipsctl fifo domain reload This error is "500 command 'domain' not available".

SO I stop the opensipsctl and start again follow

[root@TEST opensips]# opensipsctl start

INFO: Starting OpenSIPS :

ERROR: PID file /var/run/opensips.pid does not exist -- OpenSIPS start failed

So I check in /var/log/messages and got follow

Mar 4 00:25:05 TEST opensips: ERROR:core:yyparse: module 'uri_db.so' not found in '/lib/opensips/modules/' Mar 4 00:25:05 TEST opensips: CRITICAL:core:yyerror: parse error in config file, line 37, column 13-14: failed to load module Mar 4 00:25:05 TEST opensips: ERROR:core:sr_load_module: could not open module </lib/opensips/modules/>: /lib/opensips/modules/: cannot read file data: Is a directory Mar 4 00:25:05 TEST opensips: CRITICAL:core:yyerror: parse error in config file, line 37, column 13-14: failed to load module Mar 4 00:25:05 TEST opensips: ERROR:core:set_mod_param_regex: no module matching uri_db found Mar 4 00:25:05 TEST opensips: CRITICAL:core:yyerror: parse error in config file, line 63, column 19-20: Parameter <use_uri_table> not found in module <uri_db> - can't set Mar 4 00:25:05 TEST opensips: ERROR:core:set_mod_param_regex: no module matching uri_db found Mar 4 00:25:05 TEST opensips: CRITICAL:core:yyerror: parse error in config file, line 64, column 20-21: Parameter <db_url> not found in module <uri_db> - can't set Mar 4 00:25:05 TEST opensips: ERROR:core:main: bad config file (4 errors)

Can You guys instruction to me? Thanks Please

help please?25 March 2010, 16:13

I would like to know if you have to configure some asterisk files, maybe extensions.conf or sips.conf

voipdummy?31 March 2010, 11:51

Anybody can tell, how MWI (Message Waiting Indication) works in this integration when BOB is online & registered?

lucky_pig?12 May 2010, 04:04

Help me! I follow introductions in this page. but I get some problems: " WARNING[12996]: pbx.c:1344 pbx_exec: The application delimiter is now the comma, not the pipe. Did you forget to convert your dialplan? (VoiceMailMain(|s)) " " WARNING[3113]: app_voicemail.c:9029 vm_authenticate: Couldn't read username " " WARNING[3068]: pbx.c:1344 pbx_exec: The application delimiter is now the comma, not the pipe. Did you forget to convert your dialplan? (MeetMe(100|Mi))"

And when asterisk run (asterisk -r), in command CLI> I can't see the script is executed Please help me! Thanks

lucky_pig?26 May 2010, 03:16

Now, i'm integrating asterisk and opensips.asterisk is connected database of opensips. i want to execute meetme. in meetme.conf, i don't create any room. confno , pin, members are created in database of opensips.the script is followed: playing conf-getpin.gsm after i enter pin. the script is starting recording of meetme conference 100 into file.............. it is kept that and the script don't run any line. I can't listen to music and announce when only person is registered. But members column is increated in database of opensips. please, help me! thank all

son?28 May 2010, 11:39

In my though, your article presents the way how to integrate Asterisk and OpenSER in which asterisk server and OpenSER server belong to the same subnet.

         Now, I assume that asterisk server has IP address 172.28.20.10 and OpenSER server has IP address 10.10.10.10, the problem is how to asterisk and openser can contact to each other ?
 What should we implement in extension.conf file, sip.conf file and openser.conf file, etc. In my model, asterisk plays as media gateway and OpenSER plays as SIP proxy. 
    Can you attach the configuration files to your reply and teach me the way how to integrate Asterisk and OpenSER in this case.
    Thank you very much

prem?01 June 2010, 09:01

Hi, Iam integrating OpenSIPS 1.6.2 and Asterisk1.4.31. I'm using Opensip as Proxy and Asterisk as media server for IVR currenlty. Can any1 tell me; how to integrate for Opensips+Asterisk(IVR) feature. I appreciate your valuable help

KingDavid?11 March 2011, 03:06

Why are there so many examples of voicemail configuration on opensips+asterisk, and next to nothing on what really matters, which is load balancing and straight send and receive phone calls?... will it be because not many people know how to do it?

Dev?13 July 2011, 23:40

I would really like to see how to setup opensips on Amazon EC2 and then load balance two Asterisk servers. Do anybody have any idea how to do that. Currently I have Openser as a load balancer for those two Asterisk servers. Now I would like to upgrade that openser server to current opensips version and configure it on Amazon EC2 server. It should load balance my current Asterisk servers. I appreciate any kind of help.

Allen Ford?19 December 2011, 08:03

Great work here , how do i send calls to voicemail if not answered? i got alot of info from this site and included alot more work... Please direct me to the script that sends it to voicemail

[bogdan] - the script we have here has a failure route which does redirect to VM in case of no answer / busy

Sanjay arora?27 January 2012, 15:55

Hi.. I installed opensips-cp 4.1.. Now as i want to make video conferencing. So what shold be the my next step nad how?? Thanks for help..

abdul basit?13 March 2012, 16:40

Just for verify if odbc connection is successful.

  1. isql MySQL-asterisk

+---------------------------------------+ | Connected! | | | | sql-statement | | help [tablename] | | quit | | | +---------------------------------------+ SQL>

Nursultan?16 April 2012, 13:53

Hi. I'm doing make prefix=/ all include_modules="db_mysql" it gives me this:

make[1]: Entering directory `/usr/local/src/opensips_1_7/modules/db_mysql' Compiling dbase.c dbase.c:37:25: error: mysql/mysql.h: No such file or directory

Anyone Can help me? I'm using Ubuntu 11.10

Siper?29 May 2012, 08:38

Hi... is it possible to update this procedure for opensips 1.8 and asterisk 10? thanks

Binan?18 July 2012, 09:55

Update for this article thanks

nathan?12 December 2012, 11:11

Can anyone send a new tutorial about latest version asterisk integration with opensips?

[bogdan] - latest version can be found here.

betul?09 May 2013, 09:02

Hi I'm new on opensips.And I have serious problems about its logic.Do opensips and asterisk have to be on the same server?And is there a way to write logs on osipsconsole for troubleshooting purpose? I need sth like NOOP in asterisk?

[bogdan] - as OpenSIPS and Asterisk communicate via SIP, they can be on different servers.

sivakumar?10 October 2013, 14:52

Hi, I am new to OpenSIPS integration with Asterisk. I am successful to install opensips in centos machine. But, coming to asterisk integration I didn't get the right path. Where can i find exact file to configure connection between ASTERISK and OPENSIPS. I did followed all the steps in this tutorial. And I registered, a sip in my zoipher software. When I am testing VoiceMail, it doesn't seems like what mentioned in this tutorial.

Can any one help me please!

Thanks

Mostafa?12 March 2014, 08:13

I have integrated asterisk PBX as a voicemail server with openSIPs but when I make "allowsubscribe=yes" in asterisk PBX to get the voicemail MWI, I found too many messages like:

 doing dnsmgr_lookup for 'sip.domain.com'

How can I get rid of it?

asteriskman?17 May 2014, 11:29

hello: i follow this doc, but startup failed. I missed some modules: 17:21:29 [15662] ERROR:core:yyparse: module 'uri_db.so' not found in '/usr/local/lib/opensips/modules/' May 17 17:21:29 [15662] CRITICAL:core:yyerror: parse error in config file /usr/local/etc/opensips/opensips.cfg, line 37, column 13-14: failed to load module [...truncated...]

[bogdan] - please us the OpenSIPS Users mailing list for this request.

dansku?20 January 2015, 15:22

why do i ger an error when i enter the following through the myqsl command line to the asterisk database alter table subscriber add column `email_address` varchar(50) NOT NULL default ''; Someone help me please :D

22 June 2015, 08:18

I have asterisk 1.8.7, got the following warnings: [Jun 22 09:06:50] WARNING[2280] res_config_odbc.c: Realtime table sipusers2@asterisk: column 'port' is not long enough to contain realtime data (needs 5) [Jun 22 09:06:50] WARNING[2280] res_config_odbc.c: Realtime table sipusers2@asterisk: column 'regseconds' is not long enough to contain realtime data (needs 11) [Jun 22 09:06:50] WARNING[2280] res_config_odbc.c: Realtime table sipusers2@asterisk requires column 'defaultuser', but that column does not exist! [Jun 22 09:06:50] WARNING[2280] res_config_odbc.c: Realtime table sipusers2@asterisk requires column 'fullcontact', but that column does not exist! [Jun 22 09:06:50] WARNING[2280] res_config_odbc.c: Realtime table sipusers2@asterisk requires column 'regserver', but that column does not exist! [Jun 22 09:06:50] WARNING[2280] res_config_odbc.c: Realtime table sipusers2@asterisk requires column 'useragent', but that column does not exist!

Kapil Bansal?12 June 2017, 10:15

How i add sip trunks in opensips database and use for validation in opensips script?

ahmed?31 January 2018, 08:38

Hi Anyone there?

I facing issue on opensip. My customer's calls are failing due to noa=3 is being generated. How to resolve this issue plz help

atux_null?16 April 2018, 14:56

Hi. Is there an update to newer versions of asterisk, please

fred?22 May 2018, 18:38

Any chance this can be updated to newer versions of opensips and asterisk. Things have changed quite a bit since this procedure was written

John?20 February 2019, 12:30

I am trying to setup Opensips 2.4.4 with control panel and Asterisk 16. I have tried it in Debian 8/9, Ubuntu server LTS 16/18. In all cases it failed due to database issues. I would like to ask if its possible to update the tutorial or point us to some other place to make it work, please.

Adam?29 March 2019, 17:15

do it for newer versions of Opensips thanks

Dan?12 April 2019, 08:42

Please update for newer versions of Asterisk (>12) and OpenSIPS (>2.3) and include control panel as well, please. Tried to implement with version of Asterisk (16) with OpenSIPS (2.4) and it failed due to SQL changes, in debian 9. Please make an update to the OpenSIPS with Asterisk integration.

Sam?01 May 2019, 12:09

Which latest version of OpenSip is compatiable with latest version of asterisk? Any idea?

tux?18 July 2019, 05:38

In this setup if two SIP clients make calls how their calls will get route? are their RTP traffic will route via Asterisk ? can someone explain that?

Sam?30 July 2019, 07:50

Can anyone send a new tutorial about latest version asterisk integration with opensips?

Jim?02 August 2019, 14:11

Could someone provide a new tutorial about latest version asterisk integration with opensips? This one i deprecated and it cannot be applied to latest Asterisk and Opensips. Ideally with Opensips Control Panel.

Add Comment 
Sign as Author 
Enter code 519


Page last modified on August 02, 2019, at 02:11 PM