123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990 |
- package mailer
- import (
- "fmt"
- "net/smtp"
- "strings"
- )
- type Env interface {
- SMTPHost() string
- SMTPPort() string
- SMTPUser() string
- SMTPPassword() string
- }
- type Service struct {
- isEnabled bool
- host string
- port string
- user string
- password string
- }
- type mailerAuth struct {
- username string
- password string
- }
- func Init(env Env) (*Service, error) {
- host := strings.TrimSpace(env.SMTPHost())
- port := strings.TrimSpace(env.SMTPPort())
- user := strings.TrimSpace(env.SMTPUser())
- password := strings.TrimSpace(env.SMTPPassword())
- if host == "" || port == "" || user == "" || password == "" {
- return &Service{}, nil
- }
- return &Service{
- isEnabled: true,
- host: host,
- port: port,
- user: user,
- password: password,
- }, nil
- }
- func (m Service) Send(recipient string, subject string, text string) error {
- if !m.isEnabled {
- return nil
- }
- msg := []byte("To: " + recipient + "\r\n" +
- "From: " + m.user + "\r\n" +
- "Subject: " + subject + "\r\n" +
- "Content-Type: text/plain; charset=\"UTF-8\"" + "\n\r\n" +
- text + "\r\n")
- to := []string{recipient}
- auth := m.GetMailerAuth(m.user, m.password)
- return smtp.SendMail(m.host+":"+m.port, auth, m.user, to, msg)
- }
- func (m Service) GetMailerAuth(username, password string) smtp.Auth {
- return &mailerAuth{username, password}
- }
- func (a *mailerAuth) Start(_ *smtp.ServerInfo) (string, []byte, error) {
- return "LOGIN", nil, nil
- }
- func (a *mailerAuth) Next(fromServer []byte, more bool) ([]byte, error) {
- command := string(fromServer)
- command = strings.TrimSpace(command)
- command = strings.TrimSuffix(command, ":")
- command = strings.ToLower(command)
- if more {
- if command == "username" {
- return []byte(a.username), nil
- }
- if command == "password" {
- return []byte(a.password), nil
- }
- return nil, fmt.Errorf("unexpected server challenge: %s", command)
- }
- return nil, nil
- }
|