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

What is Flash SMS?
06.12.2023
What is Flash SMS?
The flash SMS is a text message displayed on the phone screen as a running (pop-up) line and is not stored in the device memory or on the SIM...
SMS
How to Create Content for Omnichannel
04.12.2023
How to Create Content for Omnichannel
Omnichannel is a marketing strategy that involves combining all possible communication channels of a business with the same customer into a...
What is Vishing? Exposing Scams and Voice Phishing Methods
30.11.2023
What is Vishing? Exposing Scams and Voice Phishing Methods
Vishing (Voice Phishing) is a type of fraud in which attackers use phone calls and voice messages to force a person to give them confidential...
Voice
What
30.11.2023
What's the Difference Between ACD and IVR
Each of us has contacted customer support service by phone. That means that you have encountered such technologies as IVR and ACD. In the first...
How to Secure Your Decision Telecom Account
29.11.2023
How to Secure Your Decision Telecom Account
You can protect your Decision Telecom account in two ways: by using a one-time password (OTP) or/and two-factor authentication (2FA)...
Company News
Kyivstar Has Stopped Supporting MMS
27.11.2023
Kyivstar Has Stopped Supporting MMS
From November 1, 2023 Kyivstar has completely stopped supporting MMS: the service is not available to both private and corporate customers. The...
Viber 2 Way — Two-way Communication with Customers
24.11.2023
Viber 2 Way — Two-way Communication with Customers
For two-way communication with your customers, connect Viber 2-Way. Unlike the usual communication channel, which allows the company to...
Viber + SMS API
Fall Marketing Messaging: What to SMS About in the Second Half of November?
23.11.2023
Fall Marketing Messaging: What to SMS About in the Second Half of November?
A calendar of information guides for messaging is an essential tool for planning a company's communication with its customers. As a rule,...
SMS
SMS or Push Notifications: Which to Choose
17.11.2023
SMS or Push Notifications: Which to Choose
Smartphone users are increasingly favouring shopping via mobile apps. That is why companies claiming to be market-leading consider the launch of...
SMS
The latest WhatsApp for Business updates that will strengthen your messaging
15.11.2023
The latest WhatsApp for Business updates that will strengthen your messaging
At Meta Connect — 2023, Mark Zuckerberg announced the basic updates that will soon affect the WhatsApp for Business platform. All of them...
WhatsApp Business
Bulk SMS for Black Friday — 2023: how to increase sales during the period of discounts
13.11.2023
Bulk SMS for Black Friday — 2023: how to increase sales during the period of discounts
As November approaches, all the attention of the business community is focused on the global Black Friday — 2023. Originally, it is an...
SMS
How VoIP telephony differs from SIP
10.11.2023
How VoIP telephony differs from SIP
In today's world of communications, the proper choice of voice channel plays a crucial role in the effective functioning of a business....
Voice
QR codes in SMS: tell about your product to every smartphone owner
08.11.2023
QR codes in SMS: tell about your product to every smartphone owner
More than 80% of people read all SMS messages that come to their phones. And it happens mostly within the first 3 minutes after receiving them....
SMS
The importance of the alpha-sender name for SMS messaging
06.11.2023
The importance of the alpha-sender name for SMS messaging
To ensure your SMS messaging attracts customers and promotes your brand, the sender must be immediately identifiable from the message. This is...
SMS
Service and transactional SMS messages: what are the benefits for business?
03.11.2023
Service and transactional SMS messages: what are the benefits for business?
SMS messages can become important and necessary tools for any business to increase and boost sales. Moreover, besides advertising messages,...
SMS
SMS vs voice calls: what to use in 2024?
01.11.2023
SMS vs voice calls: what to use in 2024?
Every business at a certain stage of growth needs to send bulk messages to potential and loyal clients. And they should decide what is more...
SMS
SMS bonuses and their impact on sales growth
30.10.2023
SMS bonuses and their impact on sales growth
Despite the emergence of new marketing tools, SMS text messages are still relevant and do not lose their efficiency. Marketers advise using the...
SMS
Why is the Omnichannel Strategy Impossible Without SMS
27.10.2023
Why is the Omnichannel Strategy Impossible Without SMS
The development of information technologies is accompanied by a constant increase in the number of channels by which businesses communicate with...
SMS
What and When to Write to Customers: Top 10 SMS Messaging for Your Business
26.10.2023
What and When to Write to Customers: Top 10 SMS Messaging for Your Business
Bulk SMS mailing is among the most reliable tools of modern digital marketing. Following researchers' reports , more than 90% of cell phone...
SMS
Web Summit 2023 in Lisbon: Decision Telecom prepares for new heights
19.10.2023
Web Summit 2023 in Lisbon: Decision Telecom prepares for new heights
Decision Telecom at Web Summit 2023: Meet us in Lisbon! We are pleased to announce that our company will participate in the largest IT...
Events
Great news! Decision Telecom is an official business partner of Viber
06.10.2023
Great news! Decision Telecom is an official business partner of Viber
Decision Telecom is pleased to announce our newest partnership initiative - we became an official partner of Viber for Business! This...
Viber Bussines
Decision Telecom became an official partner of WebSummit 2023
05.10.2023
Decision Telecom became an official partner of WebSummit 2023
Dear Partners and Customers! We are pleased to announce that our telecommunications company Decision Telecom became an official partner of...
Company News
Share contacts and schedules at conferences using mobile applications
05.10.2023
Share contacts and schedules at conferences using mobile applications
Participation in the conference is a great way to promote your company, learn from the experience of market leaders and form connections with...
What is time-of-day routing in the context of VoIP services?
04.10.2023
What is time-of-day routing in the context of VoIP services?
Time-of-day routing is a VoIP feature that allows you to distribute incoming calls to different numbers depending on the time of day or day of...
Artificially Inflated SMS Traffic Fraud: A Growing Threat to the SMS Ecosystem
03.10.2023
Artificially Inflated SMS Traffic Fraud: A Growing Threat to the SMS Ecosystem
Artificially inflated SMS traffic (AIT) fraud is a type of fraud in which cybercriminals generate large volumes of fake SMS messages through...
SMS
How to effectively present your company at an exhibition using a stand
02.10.2023
How to effectively present your company at an exhibition using a stand
A significant part of preparation for participation in a business conference is the development of the company’s exhibition information...
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
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