oci iam group create --description "email sender group" --name "mn-email-group"
Oracle Cloud Infrastructure (OCI) Email Delivery using the Micronaut framework
Learn how to send an email with Oracle Cloud Infrastructure (OCI) Email Delivery using the Micronaut framework.
Authors: Hari Krishna Sivvala, Burt Beckwith
Micronaut Version: 4.6.3
1. Getting Started
In this guide, we will create a Micronaut application written in Groovy.
We’ll use Micronaut Email to send emails with the Jakarta Mail API, using the Oracle Cloud Infrastructure (OCI) Email Delivery Service.
2. What you will need
To complete this guide, you will need the following:
-
Some time on your hands
-
A decent text editor or IDE
-
An Oracle Cloud account (create a free trial account at signup.oraclecloud.com)
-
Oracle Cloud CLI installed with local access to Oracle Cloud configured by running
oci setup config
3. Solution
We recommend that you follow the instructions in the next sections and create the application step by step. However, you can go right to the completed example.
-
Download and unzip the source
4. Setup OCI Email Delivery
To configure email delivery, we need to:
-
add an "Approved Sender"
-
generate SMTP credentials
-
find the SMTP Endpoint for your region.
4.1. Approved Sender
The approved sender is a regular user. The user must be granted permission to send emails via an IAM policy statement, so we’ll add the user to a new group and grant permission to the group to support future approved email senders.
4.1.1. Create a new group
Create a group by running:
The response should look like this:
{
"data": {
"compartment-id": "ocid1.tenancy.oc1..aaaaaaaa...",
"description": "email sender group",
"id": "ocid1.group.oc1..aaaaaaaaqx...",
"inactive-status": null,
"lifecycle-state": "ACTIVE",
"name": "mn-email-group",
...
}
}
Save the group id
as an environment variable:
export GRP_ID='ocid1.group.oc1..aaaaaaaaqx...'
We use Linux/Mac syntax for environment variables. If you use Windows, change 'export' to 'set' if using the
and if using PowerShell, change 'export ' to '$' and use quotes around the value, for example:
To dereference a value in Linux/Mac or Powershell, use $, for example:
and if using
|
4.1.2. Create a new user
Create a user by running:
oci iam user create --description "email sender" --name "mn-email-user"
The response should look like this:
{
"data": {
"compartment-id": "ocid1.tenancy.oc1..aaaaaaaaud4g...",
"description": "email sender",
"id": "ocid1.user.oc1..aaaaaaaaqx...",
"lifecycle-state": "ACTIVE",
"name": "mn-email-user",
...
}
}
Save the user id
as an environment variable:
export USR_ID='ocid1.user.oc1..aaaaaaaaqx...'
4.1.3. Add the user to the group
Add the user to the group by running:
oci iam group add-user --group-id $GRP_ID --user-id $USR_ID
4.1.4. Compartment OCID
Find the OCID of the compartment where the IAM policy will be created. Run this to list the compartments in your root compartment:
oci iam compartment list
and find the compartment by the name or description in the JSON output. It should look like this:
{
"compartment-id": "ocid1.tenancy.oc1..aaaaaaaaud4g4e5ovjaw...",
"description": "Micronaut guides",
"id": "ocid1.compartment.oc1..aaaaaaaarkh3s2wcxbbm...",
"lifecycle-state": "ACTIVE",
"name": "micronaut-guides",
...
}
Save the compartment id
as an environment variable:
export C='ocid1.compartment.oc1..aaaaaaaarkh3s2wcxbbm...'
4.1.5. IAM policy
Create an IAM policy to grant members of the group permission to send emails:
For Linux or Mac, run
oci iam policy create -c $C --description "mn-email-guide-policy" \
--name "mn-email-guide-policy" \
--statements '["Allow group mn-email-group to use email-family in compartment id ocid1.compartment.oc1..aaaaaaaarkh3s2wcxbbm..."]'
or for Windows
oci iam policy create -c %C% --description "mn-email-guide-policy" \
--name "mn-email-guide-policy" \
--statements "[\"Allow group mn-email-group to use email-family in compartment id %C%\"]"
4.2. Generate SMTP credentials
Generate SMTP credentials for the user by running:
oci iam smtp-credential create --description "mn-email-user smtp credentials" --user-id $USR_ID
The response should look like this:
{
"data": {
"description": "mn-email-user smtp credentials",
"id": "ocid1.credential.oc1..aaaaaaaal...",
"lifecycle-state": "ACTIVE",
"password": "nB$O;.......",
"user-id": "ocid1.user.oc1..aaaaaaaaqx...",
"username": "ocid1.user.oc1..aaaaaaaaqx...@ocid1.tenancy.oc1..aaaaaaaa....me.com"
}
}
Save the username
and password
from the response; we’ll need those later.
4.3. Add an approved sender
Create an email sender by running:
oci email sender create -c $C --email-address noreply@test.com
email-address is the "from" address
|
4.4. SMTP Endpoint
Each region in Oracle Cloud has an SMTP endpoint to use as the SMTP server address. Find the endpoint for your region and save the URL, e.g., smtp.email.us-ashburn-1.oci.oraclecloud.com
; we’ll need that for the application configuration.
5. Writing the Application
Create an application using the Micronaut Command Line Interface or with Micronaut Launch.
mn create-app example.micronaut.micronautguide --build=gradle --lang=groovy
If you don’t specify the --build argument, Gradle with the Kotlin DSL is used as the build tool. If you don’t specify the --lang argument, Java is used as the language.If you don’t specify the --test argument, JUnit is used for Java and Kotlin, and Spock is used for Groovy.
|
The previous command creates a Micronaut application with the default package example.micronaut
in a directory named micronautguide
.
5.1. Add Dependencies
Add these dependencies to your build to add email support. Only the first is required; if you won’t be using templates for emails you can omit the other two:
implementation("io.micronaut.email:micronaut-email-javamail")
implementation("io.micronaut.email:micronaut-email-template")
implementation("io.micronaut.views:micronaut-views-thymeleaf")
5.2. Create a SessionProvider
Micronaut Email requires a bean of type SessionProvider
when using JavaMail to create a Session
. Create the OciSessionProvider
class:
package example.micronaut
import groovy.transform.CompileStatic
import io.micronaut.context.annotation.Property
import io.micronaut.core.annotation.NonNull
import io.micronaut.email.javamail.sender.MailPropertiesProvider
import io.micronaut.email.javamail.sender.SessionProvider
import jakarta.inject.Singleton
import jakarta.mail.Authenticator
import jakarta.mail.PasswordAuthentication
import jakarta.mail.Session
@CompileStatic
@Singleton (1)
class OciSessionProvider implements SessionProvider {
private final Properties properties
private final String user
private final String password
OciSessionProvider(MailPropertiesProvider provider,
@Property(name = 'smtp.user') String user, (2)
@Property(name = 'smtp.password') String password) { (2)
this.properties = provider.mailProperties()
this.user = user
this.password = password
}
@Override
@NonNull
Session session() {
return Session.getInstance(properties, new Authenticator() {
@Override
protected PasswordAuthentication getPasswordAuthentication() {
return new PasswordAuthentication(user, password) (3)
}
})
}
}
1 | Use jakarta.inject.Singleton to designate a class as a singleton. |
2 | Annotate a constructor parameter with @Property to inject a configuration value. |
3 | Use the username and password to create the Session |
5.3. EmailController class
Create a controller that uses the Micronaut EmailSender to send emails:
package example.micronaut
import groovy.transform.CompileStatic
import io.micronaut.email.Attachment
import io.micronaut.email.Email
import io.micronaut.email.EmailSender
import io.micronaut.email.template.TemplateBody
import io.micronaut.http.annotation.Controller
import io.micronaut.http.annotation.Post
import io.micronaut.http.multipart.CompletedFileUpload
import io.micronaut.views.ModelAndView
import io.micronaut.scheduling.TaskExecutors
import io.micronaut.scheduling.annotation.ExecuteOn
import io.micronaut.http.annotation.Produces
import io.micronaut.http.annotation.Consumes
import java.time.LocalDateTime
import static io.micronaut.email.BodyType.HTML
import static io.micronaut.http.MediaType.APPLICATION_OCTET_STREAM_TYPE
import static io.micronaut.http.MediaType.MULTIPART_FORM_DATA
import static io.micronaut.http.MediaType.TEXT_PLAIN
@CompileStatic
@ExecuteOn(TaskExecutors.BLOCKING) (1)
@Controller('/email') (2)
class EmailController {
private final EmailSender<?, ?> emailSender
EmailController(EmailSender<?, ?> emailSender) { (3)
this.emailSender = emailSender
}
@Produces(TEXT_PLAIN) (4)
@Post('/basic')
String index() {
emailSender.send(Email.builder()
.to('basic@domain.com')
.subject('Micronaut Email Basic Test: ' + LocalDateTime.now())
.body('Basic email')) (5)
return 'Email sent.'
}
@Produces(TEXT_PLAIN) (4)
@Post('/template/{name}')
String template(String name) {
emailSender.send(Email.builder()
.to('template@domain.com')
.subject('Micronaut Email Template Test: ' + LocalDateTime.now())
.body(new TemplateBody<>(HTML,
new ModelAndView<>('email', [name: name])))) (6)
return 'Email sent.'
}
@Consumes(MULTIPART_FORM_DATA) (7)
@Produces(TEXT_PLAIN) (4)
@Post('/attachment')
String attachment(CompletedFileUpload file) throws IOException {
String contentType = file.contentType.orElse(APPLICATION_OCTET_STREAM_TYPE)
emailSender.send(Email.builder()
.to('attachment@domain.com')
.subject('Micronaut Email Attachment Test: ' + LocalDateTime.now())
.body('Attachment email')
.attachment(Attachment.builder()
.filename(file.filename)
.contentType(contentType)
.content(file.bytes)
.build()
)) (8)
return 'Email sent.'
}
}
1 | It is critical that any blocking I/O operations (such as fetching the data from the database) are offloaded to a separate thread pool that does not block the Event loop. |
2 | The class is defined as a controller with the @Controller annotation mapped to the path /email . |
3 | Use constructor injection to inject a bean of type emailSender . |
4 | By default, a Micronaut response uses application/json as Content-Type . We are returning a String, not a JSON object, so we set it to text/plain with the @Produces annotation. |
5 | You can send plain-text emails. |
6 | You can send HTML emails leveraging Micronaut template rendering capabilities. |
7 | A Micronaut controller action consumes application/json by default. Consuming other content types is supported with the @Consumes annotation or the consumes member of any HTTP method annotation. |
8 | You can send email with attachments. |
5.4. Email template
Create a Thymeleaf template in:
<!DOCTYPE html>
<html lang="en" xmlns:th="http://www.thymeleaf.org">
<body>
<p>
Hello, <span th:text="${name}"></span>!
</p>
</body>
5.5. From Configuration
If you always use the same Sender you can add the following configuration snippet to application.yml
micronaut:
email:
from:
email: ${FROM_EMAIL:``} (1)
name: ${FROM_NAME:``} (2)
1 | Sender’s email |
2 | Sender’s name |
5.6. SMTP configuration
Add the following snippet to application.yml
to supply the SMTP credentials.
We injected SMTP configuration via constructor paramters annotated with @Property
. You could have used a POJO annotated with
@ConfigurationProperties as well.
smtp:
password: ${SMTP_PASSWORD:``} (1)
user: ${SMTP_USER:``} (2)
1 | the SMTP password |
2 | the SMTP username |
5.7. Java Mail Properties Configuration
Add the following snippet to application.yml
to supply JavaMail properties:
javamail:
properties:
mail:
smtp:
port: 587
auth: true
starttls:
enable: true
host: ${SMTP_HOST:``} (1)
1 | the SMTP server |
5.8. Set Configuration Variables
It’s best to avoid hard-coding credentials and other sensitive information directly in config files. By using placeholder variables in application.yml
like SMTP_PASSWORD
and SMTP_USER
, we can externalize the values via environment variables or secure storage such as Oracle Cloud Infrastructure (OCI) Vault.
For simplicity, we’ll use environment variables. Set the "from" email to the value you used earlier, and choose a "from" name. Set the SMTP username and password from the values you saved earlier when you generated the SMTP credentials, and set the SMTP server as the regional endpoint:
export FROM_EMAIL='noreply@test.com'
export FROM_NAME='noreply'
export SMTP_PASSWORD='nB$O;.......'
export SMTP_USER='ocid1.user.oc1..aaaaaaaaqx...@ocid1.tenancy.oc1..aaaaaaaa....me.com'
export SMTP_HOST='smtp.email.us-ashburn-1.oci.oraclecloud.com'
5.9. Writing Tests
Create a test class to ensure emails are sent successfully:
package example.micronaut
import io.micronaut.email.Attachment
import io.micronaut.email.Email
import io.micronaut.email.TransactionalEmailSender
import io.micronaut.http.HttpRequest
import io.micronaut.http.HttpResponse
import io.micronaut.http.client.HttpClient
import io.micronaut.http.client.annotation.Client
import io.micronaut.http.client.multipart.MultipartBody
import io.micronaut.test.annotation.MockBean
import io.micronaut.test.extensions.spock.annotation.MicronautTest
import jakarta.inject.Inject
import jakarta.inject.Named
import spock.lang.Specification
import jakarta.mail.Message
import java.util.function.Consumer
import static io.micronaut.email.BodyType.HTML
import static io.micronaut.email.BodyType.TEXT
import static io.micronaut.http.HttpStatus.OK
import static io.micronaut.http.MediaType.MULTIPART_FORM_DATA_TYPE
import static io.micronaut.http.MediaType.TEXT_CSV
import static io.micronaut.http.MediaType.TEXT_CSV_TYPE
import static io.micronaut.http.MediaType.TEXT_PLAIN_TYPE
import static java.nio.charset.StandardCharsets.UTF_8
@MicronautTest (1)
class EmailControllerSpec extends Specification {
@Inject
@Client("/")
HttpClient client (2)
List<Email> emails = []
void cleanup() {
emails.clear()
}
void testBasic() {
when:
HttpResponse<?> response = client.toBlocking().exchange(
HttpRequest.POST("/email/basic", null))
then:
response.status() == OK
and:
1 == emails.size()
when:
Email email = emails[0]
then:
'test@test.com' == email.from.email
email.replyTo == null
1 == email.to.size()
'basic@domain.com' == email.to[0].email
email.to[0].name == null
email.cc == null
email.bcc == null
email.subject.startsWith('Micronaut Email Basic Test: ')
email.attachments == null
when:
Optional<String> body = email.body.get(TEXT)
then:
'Basic email' == body.orElseThrow()
}
void testTemplate() {
when:
HttpResponse<?> response = client.toBlocking().exchange(
HttpRequest.POST('/email/template/testingtesting', null))
then:
response.status() == OK
and:
1 == emails.size()
when:
Email email = emails[0]
then:
'test@test.com' == email.from.email
email.replyTo == null
1 == email.to.size()
'template@domain.com' == email.to[0].email
email.to[0].name == null
email.cc == null
email.bcc == null
email.subject.startsWith('Micronaut Email Template Test: ')
email.attachments == null
Optional<String> body = email.body.get(HTML)
body.orElseThrow().contains('Hello, <span>testingtesting</span>!')
}
void testAttachment() {
when:
HttpResponse<?> response = client.toBlocking().exchange(
HttpRequest.POST('/email/attachment', MultipartBody.builder()
.addPart('file', 'test.csv', TEXT_CSV_TYPE, 'test,email'.getBytes(UTF_8))
.build())
.contentType(MULTIPART_FORM_DATA_TYPE)
.accept(TEXT_PLAIN_TYPE),
String)
then:
response.status() == OK
and:
1 == emails.size()
when:
Email email = emails[0]
then:
'test@test.com' == email.from.email
email.replyTo == null
1 == email.to.size()
'attachment@domain.com' == email.to[0].email
email.to[0].name == null
email.cc == null
email.bcc == null
email.subject.startsWith('Micronaut Email Attachment Test: ')
1 == email.attachments.size()
when:
Attachment attachment = email.attachments[0]
then:
'test.csv' == attachment.filename
TEXT_CSV == attachment.contentType
'test,email' == new String(attachment.content)
when:
Optional<String> body = email.body.get(TEXT)
then:
'Attachment email' == body.orElseThrow()
}
@MockBean(TransactionalEmailSender)
@Named('mock')
TransactionalEmailSender<Message, Void> mockSender() {
return new TransactionalEmailSender() {
String getName() { 'test' }
def send(Email email, Consumer emailRequest) {
emails << email
return null
}
}
}
}
1 | Annotate the class with @MicronautTest so the Micronaut framework will initialize the application context and the embedded server. More info. |
2 | Inject the HttpClient bean and point it to the embedded server. |
Create src/test/resources/application-test.yml
. Micronaut applies this configuration file only for the test
environment.
micronaut:
email:
from:
email: test@test.com
name: Email Test
smtp:
password: password
user: user
javamail:
properties:
mail:
smtp:
host: smtp.com
6. Testing the Application
To run the tests:
./gradlew test
Then open build/reports/tests/test/index.html
in a browser to see the results.
7. Running the Application
To run the application, use the ./gradlew run
command, which starts the application on port 8080.
Run some cURL requests to test the application:
Send a simple plain-text email:
curl -X POST localhost:8080/email/basic
Send a templated email:
curl -X POST localhost:8080/email/template/test
Send an email with an attachment. If you use Mac/Linux, run
curl -X POST \
-H "Content-Type: multipart/form-data" \
-F "file=@ /Users/test/Pictures/demo/email.jpg" \
localhost:8080/email/attachment
and run this if using Windows:
curl -X POST \
-H "Content-Type: multipart/form-data" \
-F "file=@C:\Users\username\Downloads\email.png" \
localhost:8080/email/attachment
8. Next steps
Read more about the Micronaut Email project.
Learn about the OCI Email Delivery Service
See this blog post which covers much of the same material as this guide.
9. License
All guides are released with an Apache license 2.0 license for the code and a Creative Commons Attribution 4.0 license for the writing and media (images…). |