SEND SMS TO CELL PHONE THROUGH SMTP MAIL VB NET

Introduction

This article describes a simple way to send text messages to a cellular phone from within a VB.NET desktop application. The source code provided includes a relatively good list of carriers to simplify the task of connecting with a cell phone, and the task itself is really no more difficult than sending an email message through a desktop or web based application.

Getting Started

In order to begin, unzip the downloaded files and open the project provided. Within the project, you will find one main class: frmMain.vb. The main form is a Windows application form, and it contains a few controls necessary to capture the fields needed to properly form the message. These fields include:
  • Recipient’s phone number: Captures the recipient’s cellular telephone number (10 digit).
  • Recipient’s carrier: Captures the recipient’s carrier.
  • Sender’s email address: Captures the sender’s email address.
  • Sender’s email server: Captures the name of the sender’s email server.
  • Message subject line: Captures the message’s title or subject.
  • Message body: Captures the sender’s message content.
The application is simple, but could easily be improved by validating each of the required fields through the use of regular expressions or by at least validating that the text associated with each of the text boxes is not an empty string. To maintain the simplicity of the project, little in the way of error handling has been included.
The following figure (Figure 1) shows a properly configured collection of input fields in use:
Sample Image - 1.jpg
Figure 1: The Demonstration Application in Use
A quick review of the code will reveal that there is little going on there. The following imports were added to the top of the class:
Imports System
Imports System.Net.Mail
The System.Net.Mail import brings in the support necessary to transmit the messages generated using the application. Following the imports and the class declaration, there is a Declarations region identified, and within that region is a collection of private member variables; these private member variables are created in order to supply each of the required elements of the message.
#Region "Declarations"
' message elements
Private mMailServer As String
Private mTo As String
Private mFrom As String
Private mMsg As String
Private mSubject As String
#End Region
At this point, the only thing left to do in code is to write the following three methods:
#Region "Methods"
Private Sub frmMain_Load(ByVal sender As System.Object, _
ByVal e As System.EventArgs) Handles MyBase.Load
' set up the carriers list - this is a fair list,
' you may wish to research the topic and add others,
' it took a while to generate this list...
cboCarrier.Items.Add("@itelemigcelular.com.br")
cboCarrier.Items.Add("@message.alltel.com")
cboCarrier.Items.Add("@message.pioneerenidcellular.com")
cboCarrier.Items.Add("@messaging.cellone-sf.com")
cboCarrier.Items.Add("@messaging.centurytel.net")
cboCarrier.Items.Add("@messaging.sprintpcs.com")
cboCarrier.Items.Add("@mobile.att.net")
cboCarrier.Items.Add("@mobile.cell1se.com")
cboCarrier.Items.Add("@mobile.celloneusa.com")
cboCarrier.Items.Add("@mobile.dobson.net")
cboCarrier.Items.Add("@mobile.mycingular.com")
cboCarrier.Items.Add("@mobile.mycingular.net")
cboCarrier.Items.Add("@mobile.surewest.com")
cboCarrier.Items.Add("@msg.acsalaska.com")
cboCarrier.Items.Add("@msg.clearnet.com")
cboCarrier.Items.Add("@msg.mactel.com")
cboCarrier.Items.Add("@msg.myvzw.com")
cboCarrier.Items.Add("@msg.telus.com")
cboCarrier.Items.Add("@mycellular.com")
cboCarrier.Items.Add("@mycingular.com")
cboCarrier.Items.Add("@mycingular.net")
cboCarrier.Items.Add("@mycingular.textmsg.com")
cboCarrier.Items.Add("@o2.net.br")
cboCarrier.Items.Add("@ondefor.com")
cboCarrier.Items.Add("@pcs.rogers.com")
cboCarrier.Items.Add("@personal-net.com.ar")
cboCarrier.Items.Add("@personal.net.py")
cboCarrier.Items.Add("@portafree.com")
cboCarrier.Items.Add("@qwest.com")
cboCarrier.Items.Add("@qwestmp.com")
cboCarrier.Items.Add("@sbcemail.com")
cboCarrier.Items.Add("@sms.bluecell.com")
cboCarrier.Items.Add("@sms.cwjamaica.com")
cboCarrier.Items.Add("@sms.edgewireless.com")
cboCarrier.Items.Add("@sms.hickorytech.com")
cboCarrier.Items.Add("@sms.net.nz")
cboCarrier.Items.Add("@sms.pscel.com")
cboCarrier.Items.Add("@smsc.vzpacifica.net")
cboCarrier.Items.Add("@speedmemo.com")
cboCarrier.Items.Add("@suncom1.com")
cboCarrier.Items.Add("@sungram.com")
cboCarrier.Items.Add("@telesurf.com.py")
cboCarrier.Items.Add("@teletexto.rcp.net.pe")
cboCarrier.Items.Add("@text.houstoncellular.net")
cboCarrier.Items.Add("@text.telus.com")
cboCarrier.Items.Add("@timnet.com")
cboCarrier.Items.Add("@timnet.com.br")
cboCarrier.Items.Add("@tms.suncom.com")
cboCarrier.Items.Add("@tmomail.net")
cboCarrier.Items.Add("@tsttmobile.co.tt")
cboCarrier.Items.Add("@txt.bellmobility.ca")
cboCarrier.Items.Add("@typetalk.ruralcellular.com")
cboCarrier.Items.Add("@unistar.unifon.com.ar")
cboCarrier.Items.Add("@uscc.textmsg.com")
cboCarrier.Items.Add("@voicestream.net")
cboCarrier.Items.Add("@vtext.com")
cboCarrier.Items.Add("@wireless.bellsouth.com")
End Sub
Private Sub btnSend_Click(ByVal sender As System.Object, _
ByVal e As System.EventArgs) Handles btnSend.Click
' Collect user input from the form and stow content into
' the objects member variables
mTo = Trim(txtPhoneNumber.Text) & _
Trim(cboCarrier.SelectedItem.ToString())
mFrom = Trim(txtSender.Text)
mMailServer = Trim(txtMailServer.Text)
mSubject = Trim(txtSubject.Text) mMsg = Trim(txtMessage.Text)
' Within a try catch, format and send the message to
' the recipient. Catch and handle any errors.
Try
Dim message As New MailMessage(mFrom, mTo, mSubject, mMsg)
Dim mySmtpClient As New SmtpClient(mMailServer)
mySmtpClient.UseDefaultCredentials = True
mySmtpClient.Send(message)
MessageBox.Show("The mail message has been sent to " & _
message.To.ToString(), "Mail", _
MessageBoxButtons.OK, _
MessageBoxIcon.Information)
Catch ex As FormatException
MessageBox.Show(ex.StackTrace, ex.Message, _
MessageBoxButtons.OK, _
MessageBoxIcon.Error)
Catch ex As SmtpException
MessageBox.Show(ex.StackTrace, ex.Message, _
MessageBoxButtons.OK, _
MessageBoxIcon.Error)
Catch ex As Exception
MessageBox.Show(ex.StackTrace, ex.Message, _
MessageBoxButtons.OK, _
MessageBoxIcon.Error)
End Try
End Sub
Private Sub btnExit_Click(ByVal sender As System.Object, _
ByVal e As System.EventArgs) Handles btnExit.Click
' Upon user’s request, close the application
Application.Exit()
End Sub
#End Region
At this point, the application should be complete. You may wish to build the solution and test it. Even though this example was intended to be simple, the overall concept may be used within an application to do some seemingly complex jobs. For example, if you were tasked with writing an application that monitored some sort of trend information such as a daily stock price, and were to alert a group of end users whenever the stock price exceeded some predetermined, agreed upon value, you could do something such as looping through a collection of users subscribing to the stock price monitoring service and direct a text message to each of these users indicating that the watched stock had surpassed the threshold value.
Also, please note that, whilst it does cost you a dime to send a message to a cell phone in this manner, it may well cost the recipient something to receive it. Bearing that in mind, as you test your version of the code, be mindful of any expenses you may be generating for yourself (if, for example, you are sending messages to yourself) or another person.

46 comments:

  1. Wow, What a Excellent post. I really found this to much informatics. It is what i was searching for.I would like to suggest you that please keep sharing such type of info.Thanks how to send a fax from my phone

    ReplyDelete
  2. Yahoo mail is an web based email service. Yahoo mail service can be accessed through different devices including computer, tablets, smart phones, and more. Users with a valid Yahoo account can sign into Yahoo com to access the features of Yahoo mail. A smile web browser can be used to sign into Yahoo.com. Users can also download Yahoo app to their mobile phone and login to their account. yahoo mail sign in

    ReplyDelete
  3. Enrich your experience of online shopping by navigating our Skin Care products including Hair removal products, Facial cleansing brush, Epilators and much ...

    IPL HAIR REMOVER,
    FACIAL BRURSH,
    HAIR TRIMMER,
    MICRODEBRASION,
    BLACKHEAD REMOVER,
    WATERPROOF PORTABLE,

    ReplyDelete
  4. "Situs Judi Bola Agen Judi Bola Situs Judi Online Agen Judi Online Agen Sbobet Agen Bola Resmi Terpercaya Terbaik Indonesia Situs Judi Bola

    ReplyDelete
  5. Royal photo Booths Australia At Royal Booths,we want to make a good impression with you, hence we go above & beyond when it comes to forming that initial relationship with our customers.

    ReplyDelete
  6. Our store offers many styles of advanced tpe sex dolls, soft skin made of tpe material, realistic tpe sex dolls to achieve your desire for sex.Buy real realistic tpe ... realistic sex doll

    ReplyDelete
  7. 7 Coolest Offices in California

    When you first heard the word office? What is the first thing that comes into your mind?

    You must be wondering that offices only mean white walls, dark doors, and white cubicles.

    These were the days of the Grey that now has been gone.

    Nowadays, many companies invest their money in the interior of the offices because it’s truly said, “You should love the space where you work”.

    ReplyDelete
  8. Motivating your team in hard times


    Our store offers many styles of advanced tpe sex dolls, soft skin made of tpe material, realistic tpe sex dolls to achieve your desire for sex.Buy real realistic tpe ...

    ReplyDelete
  9. This delivered these individuals weakly and miserably without objectivity. It is considering this, I can really pronounce Cellular Phones as the #1 issue with our general public and it has become America's #1 Enslavement issue. mobile tracker free

    ReplyDelete
  10. I am very much pleased with the contents you have mentioned. I wanted to thank you for this great article. receive SMS free

    ReplyDelete
  11. gogo anime

    GogoAnime - Watch anime online in high quality for free. Watch anime subbed, anime dubbed online free. Update daily, fast streaming, no ads, no registration ...

    ReplyDelete
  12. Autoankauf Auf der Suche nach einem seriösen Autoankäufer in NRW sind Sie bei uns genau richtig. Wir garantieren Ihnen eine sichere und seriöse Abwicklung rund um den Autoankauf in NRW.

    ReplyDelete
  13. jandamovies Bokep Indo, Bokep Barat, Bokep Asia, Bokep Gay, Bokep Semi.

    ReplyDelete
  14. Thank you for oder my Gigs. Please share the details guide in the project

    shaw internet plans

    ReplyDelete
  15. If you desire to grow your knowledge just keep visiting this web page and be updated with the latest posted here
    36v lithium ion battery

    ReplyDelete
  16. If you desire to grow your knowledge just keep visiting this web page and be updated with the latest posted here
    https://cmxbattery.com/battery-voltage/36v-lithium-ion-battery-pack-manufacturer/

    ReplyDelete
  17. kissanime The best place to watch dub and sub anime online and absolitely for free - KissAnime. With over 10000 different animes - KissAnime is the best source for anime ...

    ReplyDelete
  18. indisk visum Thisare a private website offering our users online application services which include assistance with their application for Electronic Travel Authorization for travel to India. 

    ReplyDelete
  19. PDAs can do some astounding things, however at their very center they are as yet utilized as a specialized gadget. Utilizing an advanced cell like a customary phone stays one of its most mainstream employments. buy iphone 12

    ReplyDelete
  20. Troverai in aggiunta un ampio set che abbiamo apprezzato in modo eccezionale durante la ricerca. Non sarà normale che venga con il candidato a vedere o guardare i prodotti. app per bloccare le chiamate

    ReplyDelete
  21. Any company that issues cell phones to their employees should have a clear and understandable company cell phone policy. Without one, your company is at serious risk. It has become increasingly important for employers to establish a firm policy on cell phones in the workplace. Litigation in this area is on the rise and will continue to increase as more news gets out about how employees are taking advantage of the situation and turning their company's into "Cash Cows." 득템

    ReplyDelete
  22. new zealand visa New Zealand has in place quite stringent biosecurity laws at its borders to prevent the accidental or intentional entry of harmful pests, germs, foreign pathogens or diseases. All such high risk material, food or non-food related must be declared or be binned/disposed of in marked garbage

    ReplyDelete
  23. Hi there! Nice post! Please tell us when I will see a follow up! Online SMS-Mailings programm

    ReplyDelete
  24. Do you have increasing digital photos on your android phone? You don't know how to manage increasing amounts of files on your phone? Do you want to find an easy way to manage more and more Madnews on your phone? I believe everyone wants their cell phones to be clean and tidy, thus, you should not miss the following 3 cool android apps that help you easily solve the above questions.

    ReplyDelete
  25. The Post Office provides discounts to news ​based on the class of service (First Class, Standard Class, or Non-Profit), and by barcoding (helping the Post Office automate their processes). Here's a run-down of what you need to know to automate your mailings and use a bulk mail permit.

    ReplyDelete
  26. I like your post. It is good to see you verbalize from the heart and clarity on this important subject can be easily observed... Auto Reply Text Message

    ReplyDelete
  27. download APK Download for Android Mobile, Free Download MovieRulz App Telugu, Tamil, English, Kannada for your Android TV, Android.

    ReplyDelete
  28. download APK Download for Android Mobile, Free Download MovieRulz App Telugu, Tamil, English, Kannada for your Android TV, Android.

    ReplyDelete
  29. howdy, your websites are really good. I appreciate your work. cell phone tracker

    ReplyDelete
  30. These are letter press distributions, which implies they will set your advertisement up for you. They show up consistently EVERY MONTH ON TIME, and nearly everybody inspired by mail request understands them!
    Lead generation

    ReplyDelete
  31. I’m going to read this. I’ll be sure to come back. thanks for sharing. and also This article gives the light in which we can observe the reality. this is very nice one and gives indepth information. thanks for this nice article... flexispy review

    ReplyDelete
  32. I exactly got what you mean, thanks for posting. And, I am too much happy to find this website on the world of Google. mspy reviews

    ReplyDelete
  33. Wonderful blog! Do you have any tips and hints for aspiring writers? Because I’m going to start my website soon, but I’m a little lost on everything. Many thanks! mspy

    ReplyDelete
  34. Very good written article. It will be supportive to anyone who utilizes it, including me. Keep doing what you are doing – can’r wait to read more posts. hoverwatch reviews

    ReplyDelete
  35. Explicit iPhone related highlights that are found in cutting edge iPhone spy applications incorporate government operative call that permits the observing party to pay attention to the environmental factors of an iPhone, just as the capacity to see program logs and even photographs taken by the iPhone that is being checked.spy control

    ReplyDelete
  36. Citycarpart

    We are a team of enthusiastic developers and entrepreneurs who decided to convert their common experience into this web store. We hope you’ll like it as much as we do and have a great shopping experience here. Our prime goal is to create a shop in which you can easily find whatever product you need.

    ReplyDelete
  37. You finished a couple fine focuses there. I did an inquiry on the subject and discovered almost all persons will oblige with your online journal.
    sms verification within seconds

    ReplyDelete
  38. Positive site, where did u come up with the information on this posting? I'm pleased I discovered it though, ill be checking back soon to find out what additional posts you include. ios phone

    ReplyDelete
  39. this feature is really amazing to send sms to cell phone through smtp, i really like that type of featues thanks for share it this time to take advantage of commercial cleaning dallas visit for more details.

    ReplyDelete
  40. nice post thanks i really like that type of post keep it up this time to must be know about it can dogs eat dragon fruit

    ReplyDelete
  41. You probably didn’t know that sex dolls are therapeutic. Did you? Well, these pleasure gods are an ideal prescription for people suffering from social anxiety

    ReplyDelete
  42. Remember there is nothing wrong with growing up and learning more about love doll

    ReplyDelete
  43. The powmr square wave inverter series is the UPS series with the fastest charging speed in the world, and is most suitable for rural and semi-urban areas. The UPS is equipped with a heavy-duty charger, which can charge the battery even at low voltage. Equipped with a battery selector switch to optimize the charging current and increase battery life and performance. It is very suitable for areas suffering from prolonged power outages and low input voltage. Solar Charge Controller and PWM: advantages. In order to charge the battery, the output voltage of the solar panel must be higher than the input voltage of the battery.

    ReplyDelete
  44. It is smart to have practically all sort of frill recorded on your site however you ought to likewise know which adornments are popular. phone case suppliers

    ReplyDelete
  45. The chubby sex doll quality is good, everything came quickly, Thank you .

    ReplyDelete
  46. Hello what a brilliant post I have come across and believe me I have been searching out for this similar kind of post for past a week and hardly came across this. Thank you very much and will look for more postings from you.Best powermta smtp email server service provider.

    ReplyDelete