Logo
Trusted by over 5000 companies
TPG
INPRIME
Lubimoe_Taxi
Mantinga
Geliar
BeesAero
Improve customer experience throughout the entire customer journey
Simplify and improve your business communication with customers – from online support and custom notifications through two-factor authentication
icon
Marketing
Send promotional messages, information about special offers, seasonal sales and discounts
icon
Sales
Remind about items from wishlist, confirm the status of purchases and make appointments
icon
Customer Support
Provide your customers with quick and professional support and receive feedback
icon
Account Security
Set up two-factor SMS authentication to prevent the system from being hacked
channels
All channels of communication with your customers in one place
Do you want to improve the existing channels of communication with your audience, for example, SMS or Voice calls, or implement new ways of communication? IT-Decision Telecom specialists will help your business solve this problem
Sales Growth
120%

We will help your company scale and increase your sales using SMS, Viber, WhatsApp and other communication channels

*sales growth after tailoring messaging parameters to our clients

Globally
200+

We directly cooperate with more than 200 mobile network operators/partners, which guarantees fast and reliable delivery of your messages around the world

SMS & Viber API integration
API

With our user-friendly API, you can easily integrate SMS or Viber service into your systems and automatically send messages, transactions and confirmations

Premium support
24/7

Our support team resolves most issues within 2 hours. Moreover, you can get in touch with your Personal Manager at any time.

Inbox

All communication in one place

All interactions between your company and customers are gathered within one interface, regardless of the communication channel. SMS, Viber, WhatsApp – all in one place, for your convenience and user-friendliness of the platform
All communication in one place
Favorable prices and discount system

Pay for outgoing messages at the rates of local mobile network operators. We also have a flexible discount system for those of our clients who send more than 100,000 messages per month. You may contact our sales department, and our managers will calculate the possible discounts for your project and select the most efficient ways of delivering your messages and voice calls

check our prices
DOCUMENTATION FOR DEVELOPERS
Use communication channels in a format convenient for you

We offer two scenarios for the interaction of your business with customers using our platform:

  • Communicate with your customers via SMS, Viber for Business, WhatsApp Business, RCS, Voice, HLR Lookup through your personal account in our platform
  • Integrate our API into your CRM system: SMS, Viber + SMS, Verify, WhatsApp, RCS, Voice and HLR API. Automate messaging, create personalized messages, monitor statistics
View Documentation
var client = new RestClient("web.it-decision.com/v1/api/send-sms");client.Timeout = -1;var request = new RestRequest(Method.POST);request.AddHeader("Authorization", "Basic api_key");request.AddHeader("Content-Type", "application/json");var body = @"{   ""phone"":380632132121,   ""sender"":""InfoItd"",   ""text"":""This is messages DecisionTelecom"",   ""validity_period"":300}";request.AddParameter("application/json", body,  ParameterType.RequestBody);IRestResponse response = client.Execute(request);Console.WriteLine(response.Content);
var myHeaders = new Headers();myHeaders.append("Authorization", "Basic api_key");myHeaders.append("Content-Type", "application/json");var raw = JSON.stringify({  "phone": 380632132121,  "sender": "InfoItd",  "text": "This is messages DecisionTelecom",  "validity_period": 300});var requestOptions = {  method: 'POST',  headers: myHeaders,  body: raw,  redirect: 'follow'};fetch("web.it-decision.com/v1/api/send-sms", requestOptions)  .then(response => response.text())  .then(result => console.log(result))  .catch(error => console.log('error', error));
OkHttpClient client = new OkHttpClient().newBuilder()  .build();MediaType mediaType = MediaType.parse("application/json");RequestBody body = RequestBody.create(mediaType,"{\"phone\":380632132121,\"sender\":\"InfoItd\",\"text\":\"This is messages DecisionTelecom\",\"validity_period\":300}");Request request = new Request.Builder()  .url("web.it-decision.com/v1/api/send-sms")  .method("POST", body)  .addHeader("Authorization", "Basic api_key")  .addHeader("Content-Type", "application/json")  .build();Response response = client.newCall(request).execute();
$curl = curl_init();curl_setopt_array($curl, array(  CURLOPT_URL =>'web.it-decision.com/v1/api/send-sms',  CURLOPT_RETURNTRANSFER =>true,  CURLOPT_ENCODING => '',  CURLOPT_MAXREDIRS =>10,  CURLOPT_TIMEOUT =>0,  CURLOPT_FOLLOWLOCATION =>true,  CURLOPT_HTTP_VERSION =>CURL_HTTP_VERSION_1_1,  CURLOPT_CUSTOMREQUEST =>'POST',  CURLOPT_POSTFIELDS =>'{     "phone":380632132121,     "sender":"InfoItd",     "text":"This is messages DecisionTelecom",     "validity_period":300  }',  CURLOPT_HTTPHEADER => array(    'Authorization: Basic api_key',    'Content-Type: application/json',  ),));$response = curl_exec($curl);curl_close($curl);echo $response;
import http.clientimport jsonconn = http.client.HTTPSConnection("web.it-decision.com")payload = json.dumps({  "phone": 380632132121,  "sender": "InfoItd",  "text": "This is messages DecisionTelecom",  "validity_period": 300})headers = {  'Authorization': 'Basic api_key',  'Content-Type': 'application/json'}conn.request("POST", "/v1/api/send-sms", payload, headers)res = conn.getresponse()data = res.read()print(data.decode("utf-8"))
package mainimport (  "fmt"  "strings"  "net/http"  "io/ioutil")func main() {  url := "web.it-decision.com/v1/api/send-sms"  method := "POST"  payload := strings.NewReader(`{     "phone":380632132121,     "sender":"InfoItd",     "text":"This is messages DecisionTelecom",     "validity_period":300  }`)  client := &http.Client {}  req, err := http.NewRequest(method, url, payload)  if err != nil {    fmt.Println(err)    return  }  req.Header.Add("Authorization", "Basic api_key")  req.Header.Add("Content-Type", "application/json")  res, err := client.Do(req)  if err != nil {    fmt.Println(err)    return  }  defer res.Body.Close()  body, err := ioutil.ReadAll(res.Body)  if err != nil {    fmt.Println(err)    return  }  fmt.Println(string(body))}
var axios = require('axios');var data = JSON.stringify({  "phone": 380632132121,  "sender": "InfoItd",  "text": "This is messages DecisionTelecom",  "validity_period": 300});var config = {  method: 'post',  url: 'web.it-decision.com/v1/api/send-sms',  headers: {     'Authorization': 'Basic api_key',     'Content-Type': 'application/json'   },  data : data};axios(config).then(function (response) {  console.log(JSON.stringify(response.data));}).catch(function (error) {  console.log(error);});
import http.clientimport jsonconn = http.client.HTTPSConnection("web.it-decision.com")payload = json.dumps({  "phone":380632132121,  "sender": "InfoItd",  "text":"This is messages DecisionTelecom",  "validity_period":300})headers = {  'Authorization': 'Basic api_key',  'Content-Type': 'application/json'}conn.request("POST", "/v1/api/send-sms", payload, headers)res = conn.getresponse()data = res.read()print(data.decode("utf-8"))
DecisionTelecom's Viber for Business and Chat Inbox function provided us the possibility to contact our customers offline and offer them more purchase options with direct links and exclusive offers. As a result, we have increased the number of our customers and the sales of monthly gym membership by 185 percent this year.
Irina, marketing director of "Geliar Gym"
Irina, marketing director of
DecisionTelecom made our integration quick and easy. Adding WhatsApp, Viber and SMS as customer communication channels with the help of DecisionTelecom API helped us significantly increase our conversion rate. In addition, our customers are more satisfied as now we are able to manage multiple conversations across our customers' preferred channels.
Andriy Kamchatkin CEO, INPRIME
Andriy Kamchatkin CEO, INPRIME
Clients
You Can Trust Us
icon
Security
We guarantee the confidentiality and security of the data you transmit, as we use the world’s best AWS servers, and we also have successfully completed the Penetration testing
icon
Support
You get a 24/7 support service and a personal manager who will answer all your questions
icon
Reliability
Our company works directly with mobile network operators, which means that messages and voice calls will be delivered without intermediaries
img
Blog

News & Events

Meta is ending support for SMS in Facebook Messenger from next month
22.09.2023
Meta is ending support for SMS in Facebook Messenger from next month
On August 8, 2023, a post appeared in the Meta Help Center warning Android users about the end of support for SMS messages in Facebook...
Conferences as a way to scale the company: business events not to be missed this September
20.09.2023
Conferences as a way to scale the company: business events not to be missed this September
It is important for companies to stay ahead of the curve, connect with industry leaders, and expand their knowledge with new insights....
SMS deliverability: How to ensure that your messaging is guaranteed to reach users
18.09.2023
SMS deliverability: How to ensure that your messaging is guaranteed to reach users
When a company selects an API provider for SMS messaging , one of the quality of service indicators to consider will be the delivery rate. This...
SMS
Decision Telecom is a Gold Sponsor of Wholesale World Congress 2023 in Madrid!
15.09.2023
Decision Telecom is a Gold Sponsor of Wholesale World Congress 2023 in Madrid!
Dear Partners and Customers! We are proud to announce our participation in the annual Wholesale World Congress (WWC), which will be held...
Company News
Intelligent Queue: How to Make SMS Messaging More Efficient
13.09.2023
Intelligent Queue: How to Make SMS Messaging More Efficient
When planning to implement SMS messaging for business , companies should consider all the possibilities of optimizing this tool. The...
SMS
Choosing the best CRM system for small businesses: Top 5 free software in 2023
04.09.2023
Choosing the best CRM system for small businesses: Top 5 free software in 2023
Building a company from scratch requires considerable resources, and most importantly, investments. Often small business owners try to cut their...
RFM analysis: learning to segment customers using a modern tool
01.09.2023
RFM analysis: learning to segment customers using a modern tool
We have already blogged about why it is important for a business to segment its customer base correctly. You can find out what audience...
Viber for Business in Education: how to create a chatbot for free to improve the learning process
30.08.2023
Viber for Business in Education: how to create a chatbot for free to improve the learning process
The new academic season is just around the corner, which means that schools, universities, and other educational institutions are getting ready...
Viber Bussines
From voice to understanding: six steps for teaching a voice bot to understand customer needs
28.08.2023
From voice to understanding: six steps for teaching a voice bot to understand customer needs
Voice bots are gaining popularity because they offer a convenient and effective way to interact with the audience . However, for a smart...
Voice
Three ways to create a voice chatbot without investing a single cent in development
25.08.2023
Three ways to create a voice chatbot without investing a single cent in development
Voice bots are a relatively new technology in the field of conversational customer support services . Few companies use virtual interlocutors...
Voice
Where to shorten a link for SMS: top 3 free online services
23.08.2023
Where to shorten a link for SMS: top 3 free online services
The URL is a popular interactive element that makes SMS messaging more informative and useful. Typically, links are too long for text messages...
SMS
AI + two-factor authentication = dream-level security
21.08.2023
AI + two-factor authentication = dream-level security
In today's digital world, the security of data and personal information is becoming increasingly important. With the advent and development...
How to become invisible on the Internet: the most reliable ways to hide your location on the Internet
15.08.2023
How to become invisible on the Internet: the most reliable ways to hide your location on the Internet
The leakage of personal data is a mass phenomenon in the modern Internet environment. Do you still believe, that online attackers have work hard...
What lies ahead for the telecommunications industry in August 2023
14.08.2023
What lies ahead for the telecommunications industry in August 2023
The telecommunications industry is in constant motion, evolving and integrating new technologies that are changing how we interact with the...
Effective spam protection - "grey lists" (greylisting)
11.08.2023
Effective spam protection - "grey lists" (greylisting)
Spam is the scourge of the 21st century. Spam is almost impossible to protect and get rid of. Spammers harass users on the Internet,...
Cascading messaging: what is it and how to reach each client with it
09.08.2023
Cascading messaging: what is it and how to reach each client with it
Every day the number of Internet users is increasing, which means that the number of your potential customers is growing, who can be contacted...
SMS footer: how to set it up correctly for messaging efficiency
07.08.2023
SMS footer: how to set it up correctly for messaging efficiency
It is not the topic and content alone that attracts the attention of mobile messaging messages. Everything is important in SMS marketing -...
SMS
Top CPaaS trends and solutions in 2023
31.07.2023
Top CPaaS trends and solutions in 2023
The growth of CPaaS platforms is driven by virtual connections in digital ecosystems. Advanced messengers, integrated channel management, video,...
The main thing about voice biometrics (part II): to whom and how to use
28.07.2023
The main thing about voice biometrics (part II): to whom and how to use
We are glad to welcome you to the Decision Telecom blog! We continue to talk about voice biometrics and the features of the introduction of new...
Voice
The main thing about voice biometrics (part I)
27.07.2023
The main thing about voice biometrics (part I)
Every person is unique. Fingerprints, drawing of the iris of the eyes, facial wrinkles, handwriting, voice. Why not use our features to protect...
Voice
A new arrival to the Decision Telecom team — meet our new account manager!
26.07.2023
A new arrival to the Decision Telecom team — meet our new account manager!
Dear Clients and Partners, we are pleased to announce great news! The Decision Telecom team is looking forward to welcoming a new account...
Company News
How to Create Engaging Commercial SMS-messaging Text with ChatGPT + Examples
24.07.2023
How to Create Engaging Commercial SMS-messaging Text with ChatGPT + Examples
It so happened that in the modern world we cannot ignore the existence of artificial intelligence (AI), in particular, the ChatGPT language...
SMS
GPT for Dynamic SMS Templates: A Cost-Effective Messaging Solution
21.07.2023
GPT for Dynamic SMS Templates: A Cost-Effective Messaging Solution
Many business owners, especially those who are looking to save money, try to create SMS messaging templates on their own, but face...
SMS
SMS click-through rate: how to calculate, analyze and optimize CTR
11.07.2023
SMS click-through rate: how to calculate, analyze and optimize CTR
How effective are your SMS messages? Ask yourself or your marketer this question more often to make your business perform better. Analysis,...
SMS
Emoji in Viber messaging for business: what signs to choose and how to add them to the message template correctly
04.07.2023
Emoji in Viber messaging for business: what signs to choose and how to add them to the message template correctly
The disadvantage of interaction through the Internet is the partial absence of an emotional component. Why partial? Despite the fact that the...
Viber Bussines
SMS vs MMS, or why the era of standard multimedia messages is ending
03.07.2023
SMS vs MMS, or why the era of standard multimedia messages is ending
SMS and MMS are the two most common messaging methods. However, while SMS remains the preferred mode of communication year after year, MMS...
SMS
What is Toll-Free Messaging and its benefits for business
30.06.2023
What is Toll-Free Messaging and its benefits for business
For modern customers, fast and competent feedback from the business is very important. Organizations are now implementing automated chatbots...
SMS
Why businesses should pay special attention to geotargeting SMS campaigns
29.06.2023
Why businesses should pay special attention to geotargeting SMS campaigns
Many marketers are familiar with the concept of geotargeting, and some have even successfully applied this method of promoting goods and...
SMS
Stay Connected This Summer: Examples and Benefits of SMS Messaging for the Tourism and Hospitality Industry
21.06.2023
Stay Connected This Summer: Examples and Benefits of SMS Messaging for the Tourism and Hospitality Industry
With the arrival of summer, hotels, travel agencies and operators are getting ready for a busy season full of travelers looking for an...
SMS
How modern hyperscalers affect the architecture of IoT
21.06.2023
How modern hyperscalers affect the architecture of IoT
The IoT architecture has evolved rapidly in the past few years. The transition of companies to cloud technologies, the introduction of AI and...
Advantages of SMPP over HTTP, and vice versa: what should a business choose for mass SMS messaging
21.06.2023
Advantages of SMPP over HTTP, and vice versa: what should a business choose for mass SMS messaging
For years, the SMPP API has been the dominant protocol for sending SMS messages . But progress does not stand still, and providers prefer to...
SMS
Binary SMS messages are an easy way to make your messaging memorable
13.06.2023
Binary SMS messages are an easy way to make your messaging memorable
Now it is very difficult to surprise a user with multimedia content , but the use of pictures, audio, and gif in traditional text messages...
SMS
SIM-farms are a modern Trojan for mobile operators
13.06.2023
SIM-farms are a modern Trojan for mobile operators
The widespread use of SMS in business is accompanied by the problem of the vulnerability of this communication channel to unauthorized actions...
Mobile Banking: A New Era in Smartphone Finance Management
08.06.2023
Mobile Banking: A New Era in Smartphone Finance Management
Banks, trying to be closer to customers, are developing special applications for mobile devices. As a result, both parties remain in the black:...
Top 3 Benefits of SD-WAN and SASE for Large Enterprises
08.06.2023
Top 3 Benefits of SD-WAN and SASE for Large Enterprises
It is difficult for large enterprises to maintain communication between the central office and branches. Often this process is complicated by...
The transition to electronic receipts is the key to quality service in e-commerce
06.06.2023
The transition to electronic receipts is the key to quality service in e-commerce
Flexibility of processes is the basis of modern business. Consumers are looking for companies that offer quality, yet fast, service and support....
Summer SMS-messaging: three rules for effective communication with customers during the holiday season
05.06.2023
Summer SMS-messaging: three rules for effective communication with customers during the holiday season
Seasonal SMS campaigns are a good way to capture the attention of consumers, set up communication with customers and stimulate sales. And summer...
SMS
How to Achieve a 35% Conversion Rate Increase: Real Experience from INPRIME and Decision Telecom via Chat Application
05.06.2023
How to Achieve a 35% Conversion Rate Increase: Real Experience from INPRIME and Decision Telecom via Chat Application
Implementing effective strategies to increase conversions is one of the key tasks for any company, especially in today's digital world. It...
+185% sales with Viber Business Messaging (case of Geliar Gym)
05.06.2023
+185% sales with Viber Business Messaging (case of Geliar Gym)
Communication plays a vital role in modern business. Customers expect efficiency, convenience and personalization from interaction with...
Viber Bussines
Perspectives and barriers: 5G implementation and its impact on small and medium businesses
24.05.2023
Perspectives and barriers: 5G implementation and its impact on small and medium businesses
A modern mobile device is practically useless if you cannot make a call, send a message or access the Internet from it. All this is provided by...
Why customer touchpoints are a key success factor in today
19.05.2023
Why customer touchpoints are a key success factor in today's business
How often have you wondered what makes a customer choose this particular brand or company? Perhaps an advertisement that flashed on the street,...
SIM vs eSIM: which type of card is better to choose in 2023
19.05.2023
SIM vs eSIM: which type of card is better to choose in 2023
Until recently, the main way to connect a smartphone to cellular networks was to install a SIM card. To do this, a small chip is inserted into a...
WhatsApp Business API Sets New Tariffs: What This Means for Business and Users
10.05.2023
WhatsApp Business API Sets New Tariffs: What This Means for Business and Users
Meta Announces Transition to New WhatsApp Business API (WABA) Pricing (and Commissions) Model Based on Communication Templates. The changes...
WhatsApp Business
API mobile identification: a new step in protecting users
10.05.2023
API mobile identification: a new step in protecting users' personal data
API mobile identification is a software interface that allows users to sign in to the app using credentials from other platforms or services,...
Verify API
From 1G to 5G: Evolution of telecommunication networks
10.05.2023
From 1G to 5G: Evolution of telecommunication networks
Telecommunications networks have undergone significant development over time. First-generation 1G communication standards were characterised by...
IoT technology and the horizons it opens up for business
25.04.2023
IoT technology and the horizons it opens up for business
Ultra-sensitive sensors that control the temperature and lighting in the house. Super-high-speed electric trains that themselves transmit...
Speed, Reliability, Scalability: Benefits of Deploying 5G Networks for Business and Consumers
25.04.2023
Speed, Reliability, Scalability: Benefits of Deploying 5G Networks for Business and Consumers
New challenges in life require new solutions. The rapidly growing online audience, the increase in Internet traffic, and the transmission...
eSIM: a new word in mobile communications technology
25.04.2023
eSIM: a new word in mobile communications technology
Each phone user is familiar with such a concept as a SIM card. This is a small plastic chip card with which the smartphone connects to the...
From virtual reality to metaverses: is the future of telecommunications already here?
14.04.2023
From virtual reality to metaverses: is the future of telecommunications already here?
Before considering how virtual worlds can be used to improve the interaction of companies with customers, create new business models and...
Top 3 large-scale conferences in the field of telecommunications: where companies can find inspiration and develop
14.04.2023
Top 3 large-scale conferences in the field of telecommunications: where companies can find inspiration and develop
The telecommunications field is one of the most dynamically developing. But in order to effectively interact with consumers and...
All news
Discover a universal way of communication with customers anywhere in the world

IT-Decision Telecom is the #1 choice for global customer support scaling. We help businesses achieve high results through popular communication channels. Let's discuss your project, shall we?

Efficient SMS service

Modern methods of doing business require the implementation of all existing innovative technologies. The widespread development of communication industry has made the service of sending SMS is truly the leading method. The ability to selectively provide information about the company increases interest in its services on the part of the customer. Thus, it achieves all the basic conditions that are good for a business focused on success. The commercial effect of the tool is felt almost immediately and is significantly reflected in the increase in sales and operating profits.

In large companies, the SMS API service often has a dedicated division that interacts with service providers. But most commercial projects are unable to afford the expanded staff of technical personnel. The company "IT-Decision Telecom" will allow the customer of any level to promulgate their services by using such a method as bulk messaging. A flexible pricing policy makes this approach affordable even for customers with a limited budget for advertising costs.

Provide information about yourself to the client

API abbreviation means application programming interface. This concept includes a complex package of operational commands for the interaction of programs with each other in remote mode. The technology is great for the distribution of SMS by brand for business. Proper adjustment of the service requires specialized knowledge, which have the staff of the company "IT-Decision Telecom". Sufficient work experience in this area, as well as possession of comprehensive knowledge in the field of computer networks is the key to good results. Our company trusts the implementation of products in all areas of business.

API text messaging uses short messages as the main tool. With a limited amount of text, it is possible to deliver the main brand message to the client. Even in a few sentences will include the main points, which may be useful to buyers of goods or services. There is no nastiness and information content of classic visual advertising, which can often withdraw by itself. In just a few seconds, the entire volume of a short announcement is captured, which means that the decision on its use can be taken as quickly as possible.

A quick start for your business

Among the main advantages of SMS API, useful for any business, are:

  • The efficiency of online services;
  • Wide audience;
  • Available cost of connection;
  • Discounts during a comprehensive or standing order of services;
  • The possibility of hunting the whole territory of Ukraine.

Standard advertising companies with the use of traditional mass media are very expensive. Posting ads on websites is effective, but can be blocked by users through special programs. In contrast, an SMS from a brand  will be accepted by the potential buyer by 100%. Taking into account the total volume of messages that are sent, the overall ratio of companies of this kind is very high and is definitely worth the price paid for it.

If you doubt the effectiveness of this method, positive feedback from our customers will be the best argument for its support. SMS overload via API will allow you to accelerate the pace of commercial growth of the company.

Modern methods of product promotion

Decision Telecom company offers the most required SMS APIs, which enable information dissemination by means of common short messages of mobile operators, Viber, WhatsApp and other popular messengers. Instant communication of important information to customers creates an image of a responsible company and provides a quick call for transactions or deals. The service has a flexible setting and allows you to easily adjust the work.

The advantage of working with us is a wide advisory support in the selection of the final set of tools. We professionally recommend what and how best to order for a particular business situation. There are certain peculiarities of the organization of the distribution, which are required to the accounting depending on the activity.

The total price for connection and setup is based on the full scope of work and its specific features. In any case, co-workers IT-Decision Telecom will not offer you a busy or duplicate the basic functions of the service. Our priority is to provide maximum customer support at the lowest possible cost to the customer, allowing for long-term productive cooperation.

We use cookies on our website to see how you interact with it. By Accepting, you consent to our use of such cookies. Cookie Policy