• XSS.stack #1 – первый литературный журнал от юзеров форума

Статья How to spam with SMS

learner

ripper
КИДАЛА
Регистрация
13.01.2023
Сообщения
141
Реакции
71
Гарант сделки
1
Пожалуйста, обратите внимание, что пользователь заблокирован
Автор: learner
Источник: https://xss.pro


article cover.jpg


Подобно сотням, если не тысячам парней, которые бросились кликать по этой статье, увидев заголовок, я провел месяцы, исследуя этот знаменитый метод массовой рассылки смс-подделок, и должен сказать, что очень гордился собой, когда мне удалось найти его самостоятельно.
Для начала воспользуемся услугами компании, предлагающей услуги sms-маркетинга. (twilio.com), знакомство закончено, можно переходить к делу.


Создание и настройка учетной записи
Чтобы создать учетную запись на twilio, вам понадобится номер телефона без VoIP и адрес электронной почты.
Перейдите на сайт twilio, нажмите «Начать бесплатно».

PS: если вы создадите учетную запись из США, вы получите право на пробный баланс в размере 15 долларов США, что позволит вам купить номер бесплатно.

пойдем

bb.PNG


Выполняйте все шаги при регистрации, пока не попадете сюда
SET.PNG



Заполните параметры, как показано на скриншоте выше.
Мы хотим использовать twilio для отправки смс.
СМС служат нам для саморекламы,
Мы хотим собрать twilio с минимумом кода и хотим разместить свой собственный код.
Выбираем язык программирования, который хотели бы использовать, в моем случае это python
Эта информация важна, потому что она определяет параметры, которые впоследствии появятся на панели инструментов.

как только вы закончите, вы увидите консоль twilio.

01.PNG


затем нажмите на Phone Number>Manage>Buy a number
11.PNG


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

buy3.jpg


и купи это
Как только это будет сделано

2.PNG

входить Messaging>Send an SMS


Я пропустил шаг, где вы должны активировать систему обмена сообщениями перед выполнением теста, но это нормально, есть тысячи руководств о том, как открыть, загрузить и активировать вашу учетную запись twilio на YouTube,
Вы обязательно должны выполнить этот тест, чтобы убедиться, что все работает правильно, прежде чем двигаться дальше.

Я сделал этот шаг создания только в отношении выбора опций и определенных настроек.

На этом уровне вы можете отправлять смс только на номер вашей страны регистрации, чтобы исправить это и иметь возможность отправлять смс в любой другой пункт назначения по нашему выбору, мы внесем небольшие коррективы.

3.PNG


входить settings>Geo Permissions
и активируйте все страны, куда вы хотите отправить смс
теперь иди Account>Keys & Credentials>Api Keys and Tokens
API.PNG

Когда вы там, нас интересуют две вещи: ваш ключ "Account SID" и ваш "Auth Token", поэтому мы скопируем и вставим их в безопасное место.
как только это будет сделано, мы можем выйти из twilio

Отправка поддельных SMS
возьмите этот код и сохраните его в файле python
Python:
from twilio.rest import Client
 
account_sid = 'ACdfab093dca939064****************'
auth_token = '9f338367a0*************************'
client = Client(account_sid, auth_token)
 
message = client.messages.create(
                              from_='tatsuya',
                              body='Please Change your address and redeliver',  
                              to='+*************'
                          )
 
print(message.sid)

введите свой SID и токен авторизации, выберите номер получателя (кому) в международном формате (+********...) имя эмитента, в моем случае это tatsuya и сохраните файл

ss.PNG


откройте свой файл в командной строке и введите следующую команду python ss.py
py.PNG

конечно, если вы назвали свой файл Python «ss», как в случае со мной
нажми ввод и вуаля
photo_2023-05-01_19-05-05.jpg

На этом уровне все ок и можно переходить к чему-то еще более интересному

Массовая поддельная смс
вот скрипт, который позволит нам отправлять массовые смс

Вы должны провести 365 дней на форуме для просмотра контента.
#!/usr/bin/env python3
# Download the helper library from https://www.twilio.com/docs/python/install
# Note Twilio's rate-limiting documentation: https://www.twilio.com/docs/sms/send-messages#a-note-on-rate-limiting
import csv, sys
import time
from twilio.rest import Client

MESSAGE_FILE = 'message.txt' # File containing text message
CSV_FILE = 'participants.csv' # File containing participant numbers
SMS_LENGTH = 160 # Max length of one SMS message
MSG_COST = 0.04 # Cost per message
TIMEOUT_SECONDS = 2 # Sleep time after each text

# Twilio: Find these values at https://twilio.com/user/account
account_sid = "ACa7******************" # Ensure you remove the angle brackets! < >
auth_token = "c7d9*******************18fff4"
from_num = "UBS" # 'From' number in Twilio

# Now put your SMS in a file called message.txt, and it will be read from there.
with open(MESSAGE_FILE, 'r') as content_file:
sms = content_file.read()

# Check we read a message OK
if len(sms.strip()) == 0:
print("SMS message not specified- please make a {}' file containing it. \r\nExiting!".format(MESSAGE_FILE))
sys.exit(1)
else:
print("> SMS message to send: \n\n{}".format(sms))

# How many segments is this message going to use?
segments = int(len(sms.encode('utf-8')) / SMS_LENGTH) +1

# Open the people CSV and get all the numbers out of it
with open(CSV_FILE, 'r') as csvfile:
peoplereader = csv.reader(csvfile)
numbers = set([p[0] for p in peoplereader]) # remove duplicate numbers


# Calculate how much it's going to cost:
messages = len(numbers)
cost = MSG_COST * segments * messages

print("> {} messages of {} segments each will be sent, at a cost of ${} ".format(messages, segments, cost))

# Check you really want to send them
confirm = input("Send these messages? [Y/n] ")
if confirm[0].lower() == 'y':
# Set up Twilio client
client = Client(account_sid, auth_token)

# Send the messages
for num in numbers:
# Send the sms text to the number from the CSV file:
print("Sending to " + num)
message = client.messages.create(to=num, from_=from_num, body=sms)
time.sleep(TIMEOUT_SECONDS)

print("Exiting!")


сохраните этот скрипт в файле, в моем случае я назвал его sms.py, затем сохраните список номеров в CSV-файле, переименуйте «participants», сделайте то же самое с txt-файлом, который вы переименуете в «message», и поместите их все в та же папка, что и на следующих сс. Это просто деталь для тех, кто работает с питоном

like.PNG


модифицируйте скрипт, добавив свой SID, Auth Token, имя отправителя в моем случае UBS

mas.PNG


скопируйте и вставьте свое сообщение в текстовый файл
открываем наш файл в командной строке
и запустить
6.PNG


подтвердите, и вы увидите, что ваш список номеров начинает прокручиваться каждый раз, когда отправляется смс, и все

fin.jpg


можно отправлять смс со ссылками и медиа, но мы ограничимся отправкой смс со ссылками. В общем все ссылки работают

Мой опыт с твило
Twilio, возможно, является одним из лучших смс-шлюзов, но очень сложно создать пригодную для использования учетную запись, если бы это было несколько месяцев назад, я бы сказал вам, что лучшее место для создания учетных записей twilio — это США, но сегодня все стало еще больше. сложно, в частности из-за A2P 10DLC, которое сейчас требуется от любой компании, которая собирается отправлять смс в США.
НО ЧТО ВАЖНО И ЧТО ВЫ ДОЛЖНЫ ЗНАТЬ, ТАК И то, что когда вы создадите учетную запись и планируете отправлять смс в такую-то страну, я посоветую вам создать учетную запись в стране, на которую вы ориентируетесь, это будет проще и менее вероятно. сделать ваш аккаунт подозрительным и потерять его.
Чтобы увеличить срок жизни вашей учетной записи, привяжите ее к существующему сайту, которым вы можете управлять и чья сфера деятельности может оправдать вашу массовую рассылку SMS.
Упс есть маленькая деталь которую забыл, иногда на некоторых телефонах андроид и ios сообщения не приходят а показывают что пропало, эдакое ложное срабатывание
Я никогда не понимал причину, но я сказал себе, что это наверняка брандмауэр или что-то в этом роде, не путать с смс, которые сохраняются как спам в вашем почтовом ящике, может быть, кто-то из более опытных в GSM мог бы мне объяснить


Если вы зашли так далеко, спасибо за чтение, и если вам понравилось, я попрошу вас оставить как можно больше отзывов и комментариев. TATSUYA

py.PNG
 
Последнее редактирование модератором:
Пожалуйста, обратите внимание, что пользователь заблокирован
хорошая статья, но не знаете ли вы, могу ли я отправить более 1M SMS в один день или каков лимит?
да, но для этого у вас должен быть хороший аккаунт
 
Пожалуйста, обратите внимание, что пользователь заблокирован
I thank the TS for his time putting this together but in reality this guide is outdated/useless (sorry TS no harm ment here)

But there is much much more to SMS spam then make twilio acc and send 1000s of SMS, If it really was this simple then EVERYONE would be doing it

Let me tell you a few things twilio acc will last 1-2 days max sending SMS this way maybe even only a few hours
YES thats right a few hours twilio DO NOT like there service being used for such and ban accounts VERY VERY QUICKLY

Of course like everything there is ways around this.........
Like buying aged accs instead of trying to create them but even with aged accounts that are actively sending upto 50k messages daily ive had them ban in hours

SMS in some ways is much harder than sending email spam that is to do it consistently at length day in day out on the same account DONT let anyone ever tell you that it is much easier
These guys are not sending traffic in bulk and constantly day in day out they are probably sending 1k messages every month to get a few fullz or some shitz.............
YES any moron can make a new twilio account and send out 1k messages before account is blocked and all your hard work is then fruitless

So lets break in down a little so i can help you understand how we can increase the chances of our messages
1. Getting delivered
2. Accounts staying active for a longer amount of time (notice that I said longer amount of time and not forever ?) As this simply doesnt exist if you are using commerical gateways like twilio all will be blocked at some point once they realise you are sending spam

Message Deliverability

Contrary to popular belief ALL SMSC#s have some sort of spam/keyword filter some operators are much more sensitive than others
I wont post here the ones that are easier to pass than others as the thread will be pages long but in short it depends on operator and country

You can think of it as SPAM filter on email
keywords, sets of keywords, phrases, are constantly being filtered for
so this explains why the TS questioned this and your gateway/api shows delivered but nothing has been received on the handset
Words used for alphanumeric Sender IDs (the FROM part of the message) are the most commonly filtered for and are most commonly the reason for not delivered messages

So what can we do here to improve this I hear you say ?
A simple change here will mean your messages are delivered in most cases again I wont go into it too much or we be here all day

There are many Words that you should 100% stay away from if you want maximum deliverability,
In general stay away from 1:1 exact clone of the sender id of the company/item your spoofing the message for

Just because your gateway dropped your test message using BARCLAYS as a sender id you just try and send 20k traffic on that LOL
Ill finish the question for you YOU CANT in most cases
unless your using a spam friendly gateway provider
But even then you will struggle to do it for a length of time as your Spam friendly provider will end up getting the route blocked upstream thus meaning you no longer have a provider !!!!

This is just one way to increase your chances for deliverability there are lots more things you can do and things you shouldn't do to increase your overall deliverability

Account health / prolonging the life of the account

Again there are many ways / things you can do to improve this but again if i mention all we will be here for days

So ill mention the GOLDEN rule of account health

DONT be cheap PAY for service you are using, Even if you can still find a cardable gateway/api PAY for it I will say it again PAY FOR IT
why would you increase the chances that all the hard work you have done up to this point setting up your landings and redirects antibot API/TDS to direct your traffic and then throw it all down the drain because you carded the SMS and mid campaign the account is locked due you carding the account !!!!
Smart money makes money
Nuff SAID

Hope that helps a few people be sure to give me a little rep if you decide that it has infact helped you
If anyone serious wants to know how to work with SMS successfully and with less pain my DMs are open and ill happliy share my knowledge with people if my time is compensated
For anyone working in these countries USA/CAN/PERU I have a working route available with a method to get up to 2k FREE SMS daily

Thanks thats all for now
Maybe ill write some more in this thread some time if i have time on my hands

Remember...................................
THINK OUTSIDE THE BOX
Dont follow the heard be the one the heard follow !!!

Crypt0
 
Пожалуйста, обратите внимание, что пользователь заблокирован
nope bro HEARD
As in the people that make noise and can be HEARD but in reality know Fuck All 😘
 
I thank the TS for his time putting this together but in reality this guide is outdated/useless (sorry TS no harm ment here)

But there is much much more to SMS spam then make twilio acc and send 1000s of SMS, If it really was this simple then EVERYONE would be doing it

Let me tell you a few things twilio acc will last 1-2 days max sending SMS this way maybe even only a few hours
YES thats right a few hours twilio DO NOT like there service being used for such and ban accounts VERY VERY QUICKLY

Of course like everything there is ways around this.........
Like buying aged accs instead of trying to create them but even with aged accounts that are actively sending upto 50k messages daily ive had them ban in hours

SMS in some ways is much harder than sending email spam that is to do it consistently at length day in day out on the same account DONT let anyone ever tell you that it is much easier
These guys are not sending traffic in bulk and constantly day in day out they are probably sending 1k messages every month to get a few fullz or some shitz.............
YES any moron can make a new twilio account and send out 1k messages before account is blocked and all your hard work is then fruitless

So lets break in down a little so i can help you understand how we can increase the chances of our messages
1. Getting delivered
2. Accounts staying active for a longer amount of time (notice that I said longer amount of time and not forever ?) As this simply doesnt exist if you are using commerical gateways like twilio all will be blocked at some point once they realise you are sending spam

Message Deliverability

Contrary to popular belief ALL SMSC#s have some sort of spam/keyword filter some operators are much more sensitive than others
I wont post here the ones that are easier to pass than others as the thread will be pages long but in short it depends on operator and country

You can think of it as SPAM filter on email
keywords, sets of keywords, phrases, are constantly being filtered for
so this explains why the TS questioned this and your gateway/api shows delivered but nothing has been received on the handset
Words used for alphanumeric Sender IDs (the FROM part of the message) are the most commonly filtered for and are most commonly the reason for not delivered messages

So what can we do here to improve this I hear you say ?
A simple change here will mean your messages are delivered in most cases again I wont go into it too much or we be here all day

There are many Words that you should 100% stay away from if you want maximum deliverability,
In general stay away from 1:1 exact clone of the sender id of the company/item your spoofing the message for

Just because your gateway dropped your test message using BARCLAYS as a sender id you just try and send 20k traffic on that LOL
Ill finish the question for you YOU CANT in most cases
unless your using a spam friendly gateway provider
But even then you will struggle to do it for a length of time as your Spam friendly provider will end up getting the route blocked upstream thus meaning you no longer have a provider !!!!

This is just one way to increase your chances for deliverability there are lots more things you can do and things you shouldn't do to increase your overall deliverability

Account health / prolonging the life of the account

Again there are many ways / things you can do to improve this but again if i mention all we will be here for days

So ill mention the GOLDEN rule of account health

DONT be cheap PAY for service you are using, Even if you can still find a cardable gateway/api PAY for it I will say it again PAY FOR IT
why would you increase the chances that all the hard work you have done up to this point setting up your landings and redirects antibot API/TDS to direct your traffic and then throw it all down the drain because you carded the SMS and mid campaign the account is locked due you carding the account !!!!
Smart money makes money
Nuff SAID

Hope that helps a few people be sure to give me a little rep if you decide that it has infact helped you
If anyone serious wants to know how to work with SMS successfully and with less pain my DMs are open and ill happliy share my knowledge with people if my time is compensated
For anyone working in these countries USA/CAN/PERU I have a working route available with a method to get up to 2k FREE SMS daily

Thanks thats all for now
Maybe ill write some more in this thread some time if i have time on my hands

Remember...................................
THINK OUTSIDE THE BOX
Dont follow the heard be the one the heard follow !!!

Crypt0
Very good. I would like to know more.
 
Пожалуйста, обратите внимание, что пользователь заблокирован
Пожалуйста, обратите внимание, что пользователь заблокирован
I thank the TS for his time putting this together but in reality this guide is outdated/useless (sorry TS no harm ment here)

But there is much much more to SMS spam then make twilio acc and send 1000s of SMS, If it really was this simple then EVERYONE would be doing it

Let me tell you a few things twilio acc will last 1-2 days max sending SMS this way maybe even only a few hours
YES thats right a few hours twilio DO NOT like there service being used for such and ban accounts VERY VERY QUICKLY

Of course like everything there is ways around this.........
Like buying aged accs instead of trying to create them but even with aged accounts that are actively sending upto 50k messages daily ive had them ban in hours

SMS in some ways is much harder than sending email spam that is to do it consistently at length day in day out on the same account DONT let anyone ever tell you that it is much easier
These guys are not sending traffic in bulk and constantly day in day out they are probably sending 1k messages every month to get a few fullz or some shitz.............
YES any moron can make a new twilio account and send out 1k messages before account is blocked and all your hard work is then fruitless

So lets break in down a little so i can help you understand how we can increase the chances of our messages
1. Getting delivered
2. Accounts staying active for a longer amount of time (notice that I said longer amount of time and not forever ?) As this simply doesnt exist if you are using commerical gateways like twilio all will be blocked at some point once they realise you are sending spam

Message Deliverability

Contrary to popular belief ALL SMSC#s have some sort of spam/keyword filter some operators are much more sensitive than others
I wont post here the ones that are easier to pass than others as the thread will be pages long but in short it depends on operator and country

You can think of it as SPAM filter on email
keywords, sets of keywords, phrases, are constantly being filtered for
so this explains why the TS questioned this and your gateway/api shows delivered but nothing has been received on the handset
Words used for alphanumeric Sender IDs (the FROM part of the message) are the most commonly filtered for and are most commonly the reason for not delivered messages

So what can we do here to improve this I hear you say ?
A simple change here will mean your messages are delivered in most cases again I wont go into it too much or we be here all day

There are many Words that you should 100% stay away from if you want maximum deliverability,
In general stay away from 1:1 exact clone of the sender id of the company/item your spoofing the message for

Just because your gateway dropped your test message using BARCLAYS as a sender id you just try and send 20k traffic on that LOL
Ill finish the question for you YOU CANT in most cases
unless your using a spam friendly gateway provider
But even then you will struggle to do it for a length of time as your Spam friendly provider will end up getting the route blocked upstream thus meaning you no longer have a provider !!!!

This is just one way to increase your chances for deliverability there are lots more things you can do and things you shouldn't do to increase your overall deliverability

Account health / prolonging the life of the account

Again there are many ways / things you can do to improve this but again if i mention all we will be here for days

So ill mention the GOLDEN rule of account health

DONT be cheap PAY for service you are using, Even if you can still find a cardable gateway/api PAY for it I will say it again PAY FOR IT
why would you increase the chances that all the hard work you have done up to this point setting up your landings and redirects antibot API/TDS to direct your traffic and then throw it all down the drain because you carded the SMS and mid campaign the account is locked due you carding the account !!!!
Smart money makes money
Nuff SAID

Hope that helps a few people be sure to give me a little rep if you decide that it has infact helped you
If anyone serious wants to know how to work with SMS successfully and with less pain my DMs are open and ill happliy share my knowledge with people if my time is compensated
For anyone working in these countries USA/CAN/PERU I have a working route available with a method to get up to 2k FREE SMS daily

Thanks thats all for now
Maybe ill write some more in this thread some time if i have time on my hands

Remember...................................
THINK OUTSIDE THE BOX
Dont follow the heard be the one the heard follow !!!

Crypt0
personally I see no point in trying to have an account that lasts forever, our goal is to send as many sms as we can at once. I never sent less than 1000 SMS since I did it, to tell you I was sending SMS until my account showed a negative balance. If it was the operators who blocked certain SMS it would be impossible for a number of the same operator in the same country to receive the SMS and another not
 
Пожалуйста, обратите внимание, что пользователь заблокирован
[ACHETER=204]#!/usr/bin/env python3
# Téléchargez la bibliothèque d'assistance à partir de https://www.twilio.com/docs/python/install
# Notez la documentation de limitation de débit de Twilio : https://www.twilio.com/docs/sms/send-messages#a-note-on-rate-limiting
importer csv, système
temps d'importation
depuis le client d'importation twilio.rest

MESSAGE_FILE = 'message.txt' # Fichier contenant le message texte
CSV_FILE = 'participants.csv' # Fichier contenant les numéros de participants
SMS_LENGTH = 160 # Longueur maximale d'un message SMS
MSG_COST = 0,04 # Coût par message
TIMEOUT_SECONDS = 2 # Temps de sommeil après chaque texte

# Twilio : Retrouvez ces valeurs sur https://twilio.com/user/account
account_sid = "ACa7*******************" # Assurez-vous de supprimer les crochets ! < >
auth_token = "c7d9***********************18fff4"
from_num = "UBS" # Numéro 'De' dans Twilio

# Maintenant, placez votre SMS dans un fichier appelé message.txt, et il sera lu à partir de là.
avec open(MESSAGE_FILE, 'r') comme content_file :
sms = content_file.read()

# Vérifier que nous avons lu un message OK
si len(sms.strip()) == 0 :
print("Message SMS non spécifié - veuillez créer un fichier {}' le contenant. \r\nSortie!".format(MESSAGE_FILE))
sys.exit(1)
autre:
print("> SMS à envoyer : \n\n{}".format(sms))

# Combien de segments ce message va-t-il utiliser ?
segments = int(len(sms.encode('utf-8')) / SMS_LENGTH) +1

# Ouvrez le fichier CSV des personnes et obtenez-en tous les chiffres
avec open(CSV_FILE, 'r') comme csvfile :
peoplereader = csv.reader(csvfile)
nombres = set([p[0] for p in peoplereader]) # supprimer les nombres en double


# Calculez combien cela va coûter :
messages = len(chiffres)
coût = MSG_COST * segments * messages

print("> {} messages de {} segments chacun seront envoyés, au coût de ${} ".format(messages, segments, coût))

# Vérifiez que vous voulez vraiment les envoyer
confirm = input("Envoyer ces messages ? [O/n]")
si confirm[0].lower() == 'y' :
# Configurer le client Twilio
client = Client(account_sid, auth_token)

# Envoyer les messages
pour num en chiffres :
# Envoyez le SMS au numéro depuis le fichier CSV :
print("Envoi vers " + num)
message = client.messages.create(to=num, from_=from_num, body=sms)
time.sleep(TIMEOUT_SECONDS)

print("Sortie !")[/BUY]
for those who haven't been there since on the forum, you can still have the script for a few usd
 
Пожалуйста, обратите внимание, что пользователь заблокирован
personally I see no point in trying to have an account that lasts forever, our goal is to send as many sms as we can at once. I never sent less than 1000 SMS since I did it, to tell you I was sending SMS until my account showed a negative balance. If it was the operators who blocked certain SMS it would be impossible for a number of the same operator in the same country to receive the SMS and another not
As I stated before the reply was to EDUCATE people and I thanked you for taking the time and effort to post the article

In regards your answers do you really want to take the time and effort to send 1000 sms (really) I know I dont .........this reply is based on working with SMS the most efficent way to pour numbers upto and over 50k+ daily from the same account for days and some times weeks before the account is blocked ALL accounts will get blocked at some point with all operators unless using a spam friendly service
Also I never said this was a one size fits all solution there are so many variables in sending SMS reliably just like Email even legit SMS are blocked/filtered at SMSC level if they contain content keywords and/or sets of words and this can easily change on the FLY if the algo suspects on fact your sending spam but if done correctly it is easy to send 50k daily +
But I can assure you filtration and blocking at SMSC level does take place and is the exact reason you stated in your original thread this...

"Oops has a small detail that I forgot, sometimes on some phones android and ios messages do not come but show what is missing, such a false operation
I never understood the reason, but I told myself that it’s probably a firewall or something like that, not to be confused with SMS that is stored as spam in your inbox, maybe someone more experienced at GSM could explain to me"


well ive explained to you but it seems you don't want to take it on board but this is not my issue do with it what you see fit im simply answering a question
and to to answer another of your questions

"if it was the operators who blocked certain SMS it would be impossible for a number of the same operator in the same country to receive the SMS and another not"

Again you are wrong in this assumption
It is not SMS that get blocked it is certain keywords / patterns of words that are filtered each operator has its own set of rules on filtration sometimes simply rearranging the words in your message id enough to get the message to land on one network but not on another

For those wanting an SMS script here you go

Ive attached a simple dual php sender working with twilio and vonage although i wouldnt advise twilio for this type of work ever
simply upload to webserver and away you go: )

Will it send 50k a day and mitigate the issues above ...............................
NO but it will send bulk sms from a webserver its then upto you to over come these by yourself

For anyone wanting more advanced scripts that will improve your deliverability by sending a total UNIQUE messages each time an SMS is sent where no SMS is the same even the URL is replaced each time
I have these available at a cost / Can code one for you based on your needs just DM
 

Вложения

  • Simple_SMS_sender.zip
    2.6 МБ · Просмотры: 50
Пожалуйста, обратите внимание, что пользователь заблокирован
As I stated before the reply was to EDUCATE people and I thanked you for taking the time and effort to post the article

In regards your answers do you really want to take the time and effort to send 1000 sms (really) I know I dont .........this reply is based on working with SMS the most efficent way to pour numbers upto and over 50k+ daily from the same account for days and some times weeks before the account is blocked ALL accounts will get blocked at some point with all operators unless using a spam friendly service
Also I never said this was a one size fits all solution there are so many variables in sending SMS reliably just like Email even legit SMS are blocked/filtered at SMSC level if they contain content keywords and/or sets of words and this can easily change on the FLY if the algo suspects on fact your sending spam but if done correctly it is easy to send 50k daily +
But I can assure you filtration and blocking at SMSC level does take place and is the exact reason you stated in your original thread this...

"Oops has a small detail that I forgot, sometimes on some phones android and ios messages do not come but show what is missing, such a false operation
I never understood the reason, but I told myself that it’s probably a firewall or something like that, not to be confused with SMS that is stored as spam in your inbox, maybe someone more experienced at GSM could explain to me"


well ive explained to you but it seems you don't want to take it on board but this is not my issue do with it what you see fit im simply answering a question
and to to answer another of your questions

"if it was the operators who blocked certain SMS it would be impossible for a number of the same operator in the same country to receive the SMS and another not"

Again you are wrong in this assumption
It is not SMS that get blocked it is certain keywords / patterns of words that are filtered each operator has its own set of rules on filtration sometimes simply rearranging the words in your message id enough to get the message to land on one network but not on another
I understand where you are coming from but you do not understand me, I will try to be as precise as possible. When you try to send an SMS with an id like PayPal, Amazon the SMS is automatically blocked and its displayed in the console, it's because of the keywords used, but sometimes an SMS that you send with an id for example "crypto" , arrives on a phone and not on another phone in the same country with the same operator I do not think that at this level it is due to the keywords
 
Thanks for the article!
I have a list of numbers like this: name;number
It wold be nice if someone can add functionality to script with options, like macro for name. Let's say if list is name;number, you can use %NAME% and it will take name from the list in front of number and include it in sms.
Also function with adding many twillio keys and sending threshold for every key would be helpful. So you can send more at once if you have a lot of keys.
 
Пожалуйста, обратите внимание, что пользователь заблокирован
I understand where you are coming from but you do not understand me, I will try to be as precise as possible. When you try to send an SMS with an id like PayPal, Amazon the SMS is automatically blocked and its displayed in the console, it's because of the keywords used, but sometimes an SMS that you send with an id for example "crypto" , arrives on a phone and not on another phone in the same country with the same operator I do not think that at this level it is due to the keywordsbut the principal is the same for all
J
You answer your own question bro this is exactly what is happening but it might not just be the sender I'd it may also be the message content or a combo of both that leads to this
I working with SMS both legit and scam for many years and have many examples of this happening
As I said different network operator filter differently
I don't work with consoles I prefer to use SMPP servers or API direct to the gateway provider
But the principal is the same
I suggest you look into changing the message content slightly or writing a script to deliver a unique sms each time alone with sender I'd and url
On the subject of semder ids it is AlWAYS much better deliverabity rates when not cloning the sender I'd 1:1 but instead using generic senders like update urgent alert these type of things
Even better is to use the Short code
 
Пожалуйста, обратите внимание, что пользователь заблокирован
Thanks for the article!
I have a list of numbers like this: name;number
It wold be nice if someone can add functionality to script with options, like macro for name. Let's say if list is name;number, you can use %NAME% and it will take name from the list in front of number and include it in sms.
Also function with adding many twillio keys and sending threshold for every key would be helpful. So you can send more at once if you have a lot of keys.
It's a good idea, besides if there are guys who can make changes to this script it would be wonderful
 
Пожалуйста, обратите внимание, что пользователь заблокирован
Thanks for the article!
I have a list of numbers like this: name;number
It wold be nice if someone can add functionality to script with options, like macro for name. Let's say if list is name;number, you can use %NAME% and it will take name from the list in front of number and include it in sms.
Also function with adding many twillio keys and sending threshold for every key would be helpful. So you can send more at once if you have a lot of keys.
As I said I have in my previous post I have scripts to deliver totally unique
Content each time hit me up if you need to buy this work your work as the saying goes nothing in life is free
In regards rotating API keys this will improve deliverabity to some extent but is not a wonder solution there is many parts to the engine that needs greasing
Personally I would stay away from twilio as once they flag ya content they also report your URLs leading to take down all I m all twilio is just headache
I can also write for you any kind of script that does what you need for all API providers
And for those working in USA,CAN,PERU I have a method to send 2k daily and if you send unique message each time these accounts should last a month easily
Price 500$ no offers
 


Напишите ответ...
  • Вставить:
Прикрепить файлы
Верх