DecisionTelecom SMS API le permite enviar mensajes SMS a cualquier país del mundo a través de API. Cada mensaje se identifica mediante una identificación aleatoria única, por lo que los usuarios siempre pueden verificar el estado de un mensaje utilizando un punto final determinado.
La API de SMS utiliza HTTPS con clave de acceso que se utiliza como autorización de la API. Las cargas útiles de solicitud y respuesta se formatean como JSON con codificación UTF-8 y valores codificados en URL.
Autorización API: clave de acceso Base64.
Póngase en contacto con su administrador de cuenta para obtener una clave API.
Enviar SMS
https://web.it-decision.com/v1/api/send-sms
{"phone":380632132121,"sender":"InfoItd","text":"This is messages DecisionTelecom","validity_period":120}
DELIVERED (DELIVRD) - El mensaje se ha entregado correctamente al usuario final.
EXPIRED (EXPIRED) - El mensaje no se entregó porque expiró el tiempo de entrega.
DELETED (DELETED) - El mensaje se ha eliminado y no se puede entregar.
UNDELIVERABLE (UNDELIV) - El mensaje no se puede entregar debido a un error permanente (por ejemplo, número incorrecto u otros problemas con el destinatario).
ACCEPTED (ACCEPTD) - El mensaje ha sido aceptado por el sistema del operador pero aún no se ha entregado.
UNKNOWN (UNKNOWN) - El estado del mensaje es desconocido, posiblemente debido a un problema temporal o una causa no identificada.
REJECTED (REJECTD) - El mensaje fue rechazado por el sistema y no se entregará (posiblemente debido a las políticas del operador u otras razones técnicas).
ENROUTE (ENROUTE) - El mensaje se ha reenviado a la red pero aún no se ha entregado al usuario final.
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();
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));
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);
})
You can create analytics on your SMS traffic by using event-based webhooks — user-defined HTTP callbacks — to track the delivery status of outgoing messages.
For every SMS message you send, IT-Decision Telecom sends a status update to a URL you configure as a callback. You can store the information on your server for delivery status analysis. Upon one of these events, IT-Decision Telecom makes an HTTP request (POST) to an endpoint URL you’ve configured for the webhook. To handle a webhook, you must create a listener (web app) that can accept these HTTP requests from IT-Decision Telecom. IT-Decision Telecom automatically retries webhooks three times if an HTTP 200 status code is not returned:
Interval - 15 minutes, 12 hours , 1 day, If your URL is not available for the whole retry period, the data will be lost (Delivery Reports).
{
"phones": [380631111112, 380636151111],
"sender": "info",
"text": "when the text is more than 160 characters, the SMS is divided into several parts",
"validity_period": 300
}
message_id int A unique random ID which is created on the DecisionTelecom platform.
Phones arrayThe telephone number that you want to do a network query on.
sender string The sender of the message. This can be a mobile phone number (including a country code) or an alphanumeric string. The maximum length of alphanumeric strings is 11 characters.
text string Each multi-part text message is limited to 153 characters rather than 160 due to the need for user-data headers (UDHs) information.( 306 (2x153 characters) ,459 characters (3 x 153)…)
Mobile phones use UDH information to enable them to link long messages together so that they appear as single SMS messages in recipient’s phone inbox. Using Unicode, for languages such as Hindi, restricts your message to a maximum of 70 characters per SMS .
The maximum lengths of two-part and three-part multi-part Unicode text messages are 134 (2 x 67) and 201 (3 x 67) characters, respectively.
part_count int Count of parts
concat_part int Part number
validity_period int SMS lifetime min 2 minute max 4320
Ejemplos de mensajes SMS masivos
curl --location --request POST 'https://web.it-decision.com/v1/api/multiple-message' \
--header 'Authorization: api key base64' \
--header 'Content-Type: application/json' \
--data-raw '{"phones":[380631111112,380636151111],"sender":"info","text":"when the text is more than 160 characters, the SMS is divided into several parts","validity_period":300}'
package main
import (
"fmt"
"strings"
"net/http"
"io/ioutil"
)
func main() {
url := "https://web.it-decision.com/v1/api/multiple-message"
method := "POST"
payload := strings.NewReader(`{"phones":[380631111112,380636151111],"sender":"info","text":"when the text is more than 160 characters, the SMS is divided into several parts","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 base64")
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 client = new RestClient("https://web.it-decision.com/v1/api/multiple-message");
client.Timeout = -1;
var request = new RestRequest(Method.POST);
request.AddHeader("Authorization", "Basic api key");
request.AddHeader("Content-Type", "application/json");
var body = @"{""phones"":[380631111112,380636151111],""sender"":""info"",""text"":""when the text is more than 160 characters, the SMS is divided into several parts"",""validity_period"":300}";
request.AddParameter("application/json", body, ParameterType.RequestBody);
IRestResponse response = client.Execute(request);
Console.WriteLine(response.Content);
OkHttpClient client = new OkHttpClient().newBuilder()
.build();
MediaType mediaType = MediaType.parse("application/json");
RequestBody body = RequestBody.create(mediaType, "{\"phones\":[380631111112,380636151111],\"sender\":\"info\",\"text\":\"when the text is more than 160 characters, the SMS is divided into several parts\",\"validity_period\":300}");
Request request = new Request.Builder()
.url("https://web.it-decision.com/v1/api/multiple-message")
.method("POST", body)
.addHeader("Authorization", "Basic api key")
.addHeader("Content-Type", "application/json")
.build();
Response response = client.newCall(request).execute();
var myHeaders = new Headers();
myHeaders.append("Authorization", "Basic api key");
myHeaders.append("Content-Type", "application/json");
var raw = JSON.stringify({
"phones": [
380631111112,
380636151111
],
"sender": "info",
"text": "when the text is more than 160 characters, the SMS is divided into several parts",
"validity_period": 300
});
var requestOptions = {
method: 'POST',
headers: myHeaders,
body: raw,
redirect: 'follow'
};
fetch("https://web.it-decision.com/v1/api/multiple-message", requestOptions)
.then(response => response.text())
.then(result => console.log(result))
.catch(error => console.log('error', error));
.then(response => response.text())
.then(result => console.log(result))
.catch(error => console.log('error', error));
CURL *curl;
CURLcode res;
curl = curl_easy_init();
if(curl) {
curl_easy_setopt(curl, CURLOPT_CUSTOMREQUEST, "POST");
curl_easy_setopt(curl, CURLOPT_URL, "https://web.it-decision.com/v1/api/multiple-message");
curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1L);
curl_easy_setopt(curl, CURLOPT_DEFAULT_PROTOCOL, "https");
struct curl_slist *headers = NULL;
headers = curl_slist_append(headers, "Authorization: Basic api key");
headers = curl_slist_append(headers, "Content-Type: application/json");
const char *data = "{\"phones\":[380631111112,380636151111],\"sender\":\"info\",\"text\":\"when the text is more than 160 characters, the SMS is divided into several parts\",\"validity_period\":300}";
curl_easy_setopt(curl, CURLOPT_POSTFIELDS, data);
res = curl_easy_perform(curl);
}
curl_easy_cleanup(curl);
var https = require('follow-redirects').https;
var fs = require('fs');
var options = {
'method': 'POST',
'hostname': 'web.it-decision.com',
'path': '/v1/api/multiple-message',
'headers': {
'Authorization': 'Basic api key,
'Content-Type': 'application/json'
},
'maxRedirects': 20
};
var req = https.request(options, function (res) {
var chunks = [];
res.on("data", function (chunk) {
chunks.push(chunk);
});
res.on("end", function (chunk) {
var body = Buffer.concat(chunks);
console.log(body.toString());
});
res.on("error", function (error) {
console.error(error);
});
});
var postData = JSON.stringify({
"phones": [
380631111112,
380636151111
],
"sender": "info",
"text": "when the text is more than 160 characters, the SMS is divided into several parts",
"validity_period": 300
});
req.write(postData);
req.end();
$curl = curl_init();
curl_setopt_array($curl, array(
CURLOPT_URL => 'https://web.it-decision.com/v1/api/multiple-message',
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 =>'{"phones":[380631111112,380636151111],"sender":"info","text":"when the text is more than 160 characters, the SMS is divided into several parts","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.client
import json
conn = http.client.HTTPSConnection("web.it-decision.com")
payload = json.dumps({
"phones": [
380631111112,
380636151111
],
"sender": "info",
"text": "when the text is more than 160 characters, the SMS is divided into several parts",
"validity_period": 300
})
headers = {
'Authorization': 'Basic api key',
'Content-Type': 'application/json',
}
conn.request("POST", "/v1/api/multiple-message", payload, headers)
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
var client = new RestClient("https://web.it-decision.com/v1/api/balance");
client.Timeout = -1;
var request = new RestRequest(Method.GET);
request.AddHeader("Authorization", "Basic api key");
IRestResponse response = client.Execute(request);
Console.WriteLine(response.Content);
import http.client
conn = http.client.HTTPSConnection("web.it-decision.com")
payload = ''
headers = {
'Authorization': 'Basic api key'
}
conn.request("GET", "/v1/api/balance", payload, headers)
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
SMPP SMS API
Mensaje corto punto a punto (protocolo SMPP)
Se utiliza para enviar y recibir grandes volúmenes de tráfico de SMS. El protocolo SMPP es especialmente popular entre los proveedores de SMS y los operadores de telecomunicaciones.
Póngase en contacto con uno de nuestros asesores para obtener los datos para conectarse a través del protocolo SMPP.
Servidor SMPP
A continuación puede encontrar los datos para la conexión al servidor SMPP de DecisionTelecom:
nombre de host Puerto TLS Puerto
web.it-decision.com 2888 2999.
Nombre de usuario y contraseña
Su administrador de cuentas en DecisionTelecom le proporcionará un nombre de usuario (system_id) y una contraseña. Si aún no los ha recibido, o si todavía necesita hacer una solicitud, simplemente envíenos un correo electrónico a support@it-decision.com; Estaremos encantados de ayudarte.
Conectividad y ancho de banda
Siempre que se configure una cuenta SMPP para usted, obtendrá la cantidad requerida de conexiones (enlaces) y el rendimiento. En la mayoría de los casos, estos valores serán 1 enlace y 50 mensajes por segundo.
Es interesante señalar que estos valores pueden ser superiores a petición del cliente.
Seguridad
Si se conecta a cualquier servidor a través de una conexión TLS, asegúrese de seleccionar el puerto TCP 2999. También tenga en cuenta que los servidores solo aceptan métodos SSLv1, SSLv2 y SSLv3.
Bind PDU
La solicitud de PDU SMPP bind_receiver, bind_transceiver o bind_transmitter tiene un conjunto fijo de campos. La mayoría de los campos no nos importan; de hecho, solo leemos los campos system_id, password e interface_version e ignoramos el resto.
Versión_interfaz
El servidor SMPP de DecisionTelecom es compatible con el protocolo SMPP versión 3.4. Tenga en cuenta que si configura su cliente SMPP para la versión 3.3, se perderá algunas funciones, principalmente la información de TLV en las PDU de Deliver_sm.
Submit_sm PDU
Puede utilizar la PDU de submit_sm para enviarnos sus mensajes. La solicitud de PDU de submit_sm también tiene un par de campos que nuestra plataforma no utiliza y que se pueden ignorar de forma segura.
Data_coding
Los valores del campo de codificación de datos no se declaran explícitamente en la especificación SMPP, por lo que se requiere que cada servidor SMPP proporcione su propia definición. A continuación se muestra una lista de codificaciones de datos que aceptamos como entrada.