- Отправка E-Mail средствами Android
- Часть 1. Mail, просто Mail
- Часть 2. Mail, анонимус Mail
- Android Email App with GMail SMTP using JavaMail
- JavaMailAPI with GMail
- 1. GMail.java – GMail Email Sender using JavaMail
- 2. SendMailActivity.java – Android Activity to Compose and Send Email
- 3. SendMailTask.java – Android AsyncTask for Sending Email
- 4. AndroidManifest.xml
- Output: Android Email App Activity
- Output: Android ProcessDialog Sending Email
- Add Dependency Jar to Android
- Download Example Android App Project to Send Email with GMail using JavaMail
- Popular Articles
- Comments on «Android Email App with GMail SMTP using JavaMail»
Отправка E-Mail средствами Android
Привет хабр и привет всем!
В данной статье я покажу как реализуется отправка писем средствами самого Android, а также ещё один более интересный способ, но уже с применением внешней библиотеки, которая позволяет нам отсылать письма более приемлимыми для программиста способами.
Часть 1. Mail, просто Mail
- public class SimpleEMail extends Activity <
- Button send;
- EditText address, subject, emailtext;
- @Override
- public void onCreate(Bundle savedInstanceState) <
- super.onCreate(savedInstanceState);
- setContentView(R.layout.simple_email);
- // Наши поля и кнопка
- send = (Button) findViewById(R.id.emailsendbutton);
- address = (EditText) findViewById(R.id.emailaddress);
- subject = (EditText) findViewById(R.id.emailsubject);
- emailtext = (EditText) findViewById(R.id.emailtext);
- send.setOnClickListener( new OnClickListener() <
- @Override
- public void onClick(View v) <
- final Intent emailIntent = new Intent(android.content.Intent.ACTION_SEND);
- emailIntent.setType( «plain/text» );
- // Кому
- emailIntent.putExtra(android.content.Intent.EXTRA_EMAIL,
- new String [] < address.getText().toString() >);
- // Зачем
- emailIntent.putExtra(android.content.Intent.EXTRA_SUBJECT,
- subject.getText().toString());
- // О чём
- emailIntent.putExtra(android.content.Intent.EXTRA_TEXT,
- emailtext.getText().toString());
- // С чем
- emailIntent.putExtra(
- android.content.Intent.EXTRA_STREAM,
- Uri .parse( «file://»
- + Environment.getExternalStorageDirectory()
- + «/Клипы/SOTY_ATHD.mp4» ));
- emailIntent.setType( «text/video» );
- // Поехали!
- SimpleEMail. this .startActivity(Intent.createChooser(emailIntent,
- «Отправка письма. » ));
- >
- >);
- >
- >
* This source code was highlighted with Source Code Highlighter .
Вот, код до безобразия прост. Правда можно еще проще: если нам лень создавать дополнительное Activity для ввода наших полей, то можно было бы просто запустить наш Intent.
Плюсы: Простая реализация, достаточно удобно для обратной связи.
Минусы: У пользователя должна быть настроенная программа приёма-передачи почтовых сообщений, без неё обрабатывать данный Intent будет некому.
Часть 2. Mail, анонимус Mail
Данный метод я использовал в своём проекте, обозначим для начала плюсы:
- Не требует от пользователя настроенного клиента
- Может быть полностью анонимным
- Можно передавать все (в пределах разумного, конечно)
Для работы необходимы дополнительные библиотеки javamail-android.
Качаем их, и встраиваем в проект: Контекстное меню проекта > «Build Path» > «Add External Archives. » > «Наши файлы additional, mail, activation»
Для настройки нам также понадобится почтовый ящик зарегистрированный на gmail.com (или любом другом yandex, mail и.т.п.) настройки вы можете посмотреть здесь. В данном случае он будет выступать в виде шлюза через которые будут проходить наши письма.
Начинаем настраивать:
MailSenderClass.java
В данном классе записаны настройки того сервера, через который будет передаваться ваше сообщение. Здесь у нас есть несколько методов:
- public MailSenderClass(String user, String password) — Конструктор. В качестве аргументов передаются логин и пароль от нашего промежуточного ящика на gmail.com. Здесь же прописываются параметры smtp-подключения к серверу.
- protected PasswordAuthentication getPasswordAuthentication() — Аутентификация для сервера.
- public synchronized void sendMail(String subject, String body, String sender, String recipients, String filename) — Основной метод, в который передаются наши данные для отправки.
Рассмотрим код последнего метода чуть ближе:
- public synchronized void sendMail( String subject, String body, String sender, String recipients, String filename) throws Exception <
- try <
- MimeMessage message = new MimeMessage(session);
- // Кто
- message.setSender( new InternetAddress(sender));
- // О чем
- message.setSubject(subject);
- // Кому
- if (recipients.indexOf( ‘,’ ) > 0)
- message.setRecipients(Message.RecipientType.TO,
- InternetAddress.parse(recipients));
- else
- message.setRecipient(Message.RecipientType.TO,
- new InternetAddress(recipients));
- // Хочет сказать
- BodyPart messageBodyPart = new MimeBodyPart();
- messageBodyPart.setText(body);
- _multipart.addBodyPart(messageBodyPart);
- // И что показать
- if (!filename.equalsIgnoreCase( «» )) <
- BodyPart attachBodyPart = new MimeBodyPart();
- DataSource source = new FileDataSource(filename);
- attachBodyPart.setDataHandler( new DataHandler(source));
- attachBodyPart.setFileName(filename);
- _multipart.addBodyPart(attachBodyPart);
- >
- message.setContent(_multipart);
- Transport.send(message);
- > catch (Exception e) <
- Log.e( «sendMail» , «Ошибка отправки функцией sendMail! » );
- >
- >
* This source code was highlighted with Source Code Highlighter .
Метод также прост. Используя объект класса MimeMessage составляем наше письмо и для отправки передаём методу send, класса Transport.
JSSEProvider.java
Провайдер протокола безопасности для нашей почты. Линк.
VideoSelect.java
Код был взят из ApiDemos, которые поставляются в комплекте с Android SDK, и был чуть подправлен для выполнения с помощью метода startActivityForResult.
После выполнения возвращается строка, содержащая путь к файлу на карте памяти. Код можно будет посмотреть в проекте, он в конце статьи.
ExtendedMail.java
Основной метод отправления сообщения выполняется в функции sitv_sender_mail_async, представляющей класс AsyncTask:
- private class sender_mail_async extends AsyncTask String , Boolean><
- ProgressDialog WaitingDialog;
- @Override
- protected void onPreExecute() <
- // Выводим пользователю процесс загрузки
- WaitingDialog = ProgressDialog.show(ExtendedMail. this , «Отправка данных» , «Отправляем сообщение. » , true );
- >
- @Override
- protected void onPostExecute(Boolean result) <
- // Прячем процесс загрузки
- WaitingDialog.dismiss();
- Toast.makeText(mainContext, «Отправка завершена. » , Toast.LENGTH_LONG).show();
- ((Activity)mainContext).finish();
- >
- @Override
- protected Boolean doInBackground(Object. params ) <
- try <
- // Получаем данные с наших полей
- title = ((EditText)findViewById(R.id.screen_sendnews_et_title)).getText().toString();
- text = ((EditText)findViewById(R.id.screen_sendnews_et_text)).getText().toString();
- from = «from_post_msg@gmail.com» ;
- where = «where_post_msg@yandex.ru» ;
- // Вызываем конструктор и передаём в него наши логин и пароль от ящика на gmail.com
- MailSenderClass sender = new MailSenderClass( «mypostmail@gmail.com» , «password» );
- // И вызываем наш метод отправки
- sender.sendMail(title, text, from , where , attach);
- > catch (Exception e) <
- Toast.makeText(mainContext, «Ошибка отправки сообщения!» , Toast.LENGTH_SHORT).show();
- >
- return false ;
- >
- >
* This source code was highlighted with Source Code Highlighter .
- public void onClick(View v) <
- sender_mail_async async_sending = new sender_mail_async();
- async_sending.execute();
- >
* This source code was highlighted with Source Code Highlighter .
Таким образом создав небольшой класс-поток, можно спокойно слать необходимую информацию от клиента к себе на ящик.
Источник
Android Email App with GMail SMTP using JavaMail
Sending email using an Android app, which we custom build using with GMail SMTP using JavaMail API will be fun. With respect to using GMail’s SMTP server to send email is simple and easy to do. Code for the component of sending email in Java platform and Android app are same. Jars used from JavaMail API will be different for Java platform and Android, but the code we write will be same.
I already wrote a tutorial for sending email using Java and GMail SMTP with JavaMail API. Refer that for understanding about the core service of sending email. It has got couple of steps only and easy to understand.
JavaMailAPI with GMail
Here in this Android tutorial, we will reuse that same code which used to send email using GMail from Java. Remember we cannot use the same Jar files that we used from JavaMail API, but we need to use the ported version of JavaMail for Android. As far as GMail provides its SMTP server for our use, we can enjoy it for free like this, thanks to Google. We should have an email id created from GMail.
There three important source files that needs to be discussed in this example Android app for sending Email using GMail,
1. GMail.java – GMail Email Sender using JavaMail
This Java class is not specific to Android and can also be used in general Java SE platform by using the general JavaMail API jars.
- Constructor sets the basic required JavaMail parameters and configuration settings for GMail SMTP.
- Constructs the MimeMessage using which the email will be sent.
- Sends email using Transport API.
2. SendMailActivity.java – Android Activity to Compose and Send Email
In our example, this is the default Android Activity for the Android app. This is the email compose screen, when we start this example app we will just directly land in the email compose page. It will have the basic email fields like, from, to, subject, body. We can give the from email address and its respective password as input argument. This example app uses above GMail.java class to send email which comes with default settings that is configured for sending email with GMail SMTP. So if you want to use any other SMTP server, then we have to update the smtp settings there.
3. SendMailTask.java – Android AsyncTask for Sending Email
I have used AsyncTask, as sending email is best done in a separate thread. SendMailActivity will receive the user email arguments and pass it on to the SendMailTask to send email. SendMailTask interacts with GMail.java by passing parameters to and publishing mail sending status using ProgressDialog.
4. AndroidManifest.xml
Android Manifest has got the usual configuration and we need to add an extra line. This is for giving permission for our Android app to access internet to send email using GMail.
Output: Android Email App Activity
Output: Android ProcessDialog Sending Email
Add Dependency Jar to Android
I have not provided the dependent JavaMail jars with the project source code download below. You need to download jars mail.jar, activation.jar and additional.jar from JavaMail-android download page.
- Create a folder named “libs” in the Android project root folder and paste these jars in it.
Download Example Android App Project to Send Email with GMail using JavaMail
Popular Articles
Comments on «Android Email App with GMail SMTP using JavaMail»
Fantastic. thanks a lot.
Are you publishing android apps. I hope if you do, they will be great.
Thanks for this tutorial but i am confused about the Password thing. Is it actual gmail account password?
thanq you joe sir……………..
fine sir nice artical can u pls tell me
if a runtime exception is thrown in the finalize method The exception is simply ignored and the object is garbage collected.
why so this behaviour?? (waiting for replay)
It was so helpFul
Thanx for the code.But I am getting Force Close whan I click on Sendmail.Please give me suggestion to solve the problem.
Thanks Joe, this works perfectly for my app.
Hi Joe, this is a fantastic tutorial. But I am having an issue. similar to this one.
I have an app which shows map and button on it. I want to notify the user’s current location to another mobile, when I click on that button. (just like facebook chat. when One friend sends message to second friend, second friend gets notified)
How do I do that? Please help!
Very informative; Thanks for sharing.
How we can use UTF8 for sending other language?
Thanks for your answer.
[…] far we have seen how we can send email in Java using JavaMail API and then an email app in Android using JavaMail API and GMail SMTP. Now to complete this email series (at least for now), we shall do email with Spring and […]
Having warning in SendMailActivity.java
String emailBody = ((TextView) findViewById(R.id.editText5))
.getText().toString();
new SendMailTask(SendMailActivity.this).execute(fromEmail,
fromPassword, toEmailList, emailSubject, emailBody);
>
>);
>
>
Last two lines showing error. and not working .
thanks a lot sir
Having warning in SendMailActivity.java
String emailBody = ((TextView) findViewById(R.id.editText5))
.getText().toString();
new SendMailTask(SendMailActivity.this).execute(fromEmail,
fromPassword, toEmailList, emailSubject, emailBody);
>
>);
>
>
One more problem..
I am getting Force Close whan I click on Sendmail.Please give me suggestion to solve the problem.
Thanks for this tutorial is very useful. I have a question, if you could answer I would really aprecite it.
I follow this tutorial and create an application, but the problem is that it works normally in my Android 2.3 cell. But in my Lenovo A3300 Android 4.2.2 tablet don’t send the message LogCat says that cannot be connected to smtp 587 port.
Please a I need any respond
Need more information to resolve this. Check for information in LogCat, we should find out why its not able to connect to smtp port.
01-11 13:48:59.818: E/MailApp(29958): Could not send email
01-11 13:48:59.818: E/MailApp(29958): android.os.NetworkOnMainThreadException
01-11 13:48:59.818: E/MailApp(29958): at android.os.StrictMode$AndroidBlockGuardPolicy.onNetwork(StrictMode.java:1084)
01-11 13:48:59.818: E/MailApp(29958): at java.net.InetAddress.lookupHostByName(InetAddress.java:391)
01-11 13:48:59.818: E/MailApp(29958): at java.net.InetAddress.getLocalHost(InetAddress.java:371)
01-11 13:48:59.818: E/MailApp(29958): at javax.mail.internet.InternetAddress.getLocalAddress(InternetAddress.java:517)
01-11 13:48:59.818: E/MailApp(29958): at javax.mail.internet.UniqueValue.getUniqueMessageIDValue(UniqueValue.java:99)
01-11 13:48:59.818: E/MailApp(29958): at javax.mail.internet.MimeMessage.updateMessageID(MimeMessage.java:2054)
01-11 13:48:59.818: E/MailApp(29958): at javax.mail.internet.MimeMessage.updateHeaders(MimeMessage.java:2076)
01-11 13:48:59.818: E/MailApp(29958): at javax.mail.internet.MimeMessage.saveChanges(MimeMessage.java:2042)
01-11 13:48:59.818: E/MailApp(29958): at javax.mail.Transport.send(Transport.java:117)
01-11 13:48:59.818: E/MailApp(29958): at com.fahadalawam.kwtresturant.Mail.send(Mail.java:125)
01-11 13:48:59.818: E/MailApp(29958): at com.fahadalawam.kwtresturant.Add$1.onClick(Add.java:58)
01-11 13:48:59.818: E/MailApp(29958): at android.view.View.performClick(View.java:3480)
01-11 13:48:59.818: E/MailApp(29958): at android.view.View$PerformClick.run(View.java:13983)
01-11 13:48:59.818: E/MailApp(29958): at android.os.Handler.handleCallback(Handler.java:605)
01-11 13:48:59.818: E/MailApp(29958): at android.os.Handler.dispatchMessage(Handler.java:92)
01-11 13:48:59.818: E/MailApp(29958): at android.os.Looper.loop(Looper.java:137)
01-11 13:48:59.818: E/MailApp(29958): at android.app.ActivityThread.main(ActivityThread.java:4340)
01-11 13:48:59.818: E/MailApp(29958): at java.lang.reflect.Method.invokeNative(Native Method)
01-11 13:48:59.818: E/MailApp(29958): at java.lang.reflect.Method.invoke(Method.java:511)
01-11 13:48:59.818: E/MailApp(29958): at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:784)
01-11 13:48:59.818: E/MailApp(29958): at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:551)
01-11 13:48:59.818: E/MailApp(29958): at dalvik.system.NativeStart.main(Native Method)
it gives error “Unfortunately app has stopped” cant solve help. asap
thanks for a very nice tutorial. I have a question though.
Why do we need to use the javamail-android port? Are there some problems with the standard javamail implementation on Android?
My only concern is that the last version is from September 2009.
Thanks for your help
Example is not working please send me working zip file
when i run the error is coming
like11-19 12:14:39.835: E/AndroidRuntime(18910): at com.javapapers.android.androidjavamail.SendMailTask.onProgressUpdate(SendMailTask.java:51)
thank you very much very very usefull sample
sir how to receive mails in android
i search every where but am unable to get code to receive mail code plz help me
thank you… Its working..
can u help me plz if i want to send image what i need to add in this code…
sorry my bad english i speck spanish
akshit is here very nice tutorial
could you help me to add attachment field to this code to let user send an attachment
Thanks A lot You save me ..
Comments are closed for «Android Email App with GMail SMTP using JavaMail».
Источник