Почта, отправленная через API Gmail с помощью Python, определяется как спам/фишинг.Python

Программы на Python
Ответить Пред. темаСлед. тема
Anonymous
 Почта, отправленная через API Gmail с помощью Python, определяется как спам/фишинг.

Сообщение Anonymous »

Я только что научился писать скрипт Python, который использует API Gmail для автоматической отправки почты, и он работает нормально, за исключением пары проблем. Во-первых, все письма, отправленные с помощью этого метода, имеют предупреждение о том, что они могут быть спамом или фишингом, а это означает, что некоторые серверы могут их заблокировать. Во-вторых, в отправленных письмах нет моей подписи.
Я предполагаю, что оба связаны между собой, возможно, потому, что API, вероятно, не проходит полный процесс идентификации моей учетной записи и моей основной по электронной почте, но я не смог придумать, как это сделать.
Я использовал следующий метод: https://thepythoncode.com/article/use-gmail -api-in-python
Любая помощь приветствуется. Спасибо!
Изменить: в соответствии с просьбой в комментариях, вот фактический код:
import os
import pickle

#Gmail API utils
from googleapiclient.discovery import build
from google_auth_oauthlib.flow import InstalledAppFlow
from google.auth.transport.requests import Request

# for encoding/decoding messages in base64
from base64 import urlsafe_b64decode, urlsafe_b64encode

# for dealing with attachment MIME types
from email.mime.text import MIMEText
from email.mime.multipart import MIMEMultipart
from email.mime.image import MIMEImage
from email.mime.audio import MIMEAudio
from email.mime.base import MIMEBase
from mimetypes import guess_type as guess_mime_type

# Request all access (permission to read/send/receive emails, manage the inbox, and more)
SCOPES = ['https://mail.google.com/']
my_email = '[email protected]'

def gmail_authenticate():

creds = None

# the file token.pickle stores the user's access and refresh tokens, and is
# created automatically when the authorization flow completes for the first time

if os.path.exists("token.pickle"):
with open("token.pickle", "rb") as token:
creds = pickle.load(token)

# if there are no (valid) credentials available, let the user log in.
if not creds or not creds.valid:
if creds and creds.expired and creds.refresh_token:
creds.refresh(Request())
else:
flow = InstalledAppFlow.from_client_secrets_file('credentials.json', SCOPES)
creds = flow.run_local_server(port=0)
# save the credentials for the next run
with open("token.pickle", "wb") as token:
pickle.dump(creds, token)
return build('gmail', 'v1', credentials=creds)

# get the Gmail API service
service = gmail_authenticate()

# Adds the attachment with the given filename to the given message
def add_attachment(message, filename):
content_type, encoding = guess_mime_type(filename)
if content_type is None or encoding is not None:
content_type = 'application/octet-stream'
main_type, sub_type = content_type.split('/', 1)
if main_type == 'text':
fp = open(filename, 'rb')
msg = MIMEText(fp.read().decode(), _subtype=sub_type)
fp.close()
elif main_type == 'image':
fp = open(filename, 'rb')
msg = MIMEImage(fp.read(), _subtype=sub_type)
fp.close()
elif main_type == 'audio':
fp = open(filename, 'rb')
msg = MIMEAudio(fp.read(), _subtype=sub_type)
fp.close()
else:
fp = open(filename, 'rb')
msg = MIMEBase(main_type, sub_type)
msg.set_payload(fp.read())
fp.close()
filename = os.path.basename(filename)
msg.add_header('Content-Disposition', 'attachment', filename=filename)
message.attach(msg)

def build_message(destination, obj, body, attachments=[]):
if not attachments: # no attachments given
message = MIMEText(body)
message['to'] = destination
message['from'] = my_email
message['subject'] = obj
else:
message = MIMEMultipart()
message['to'] = destination
message['from'] = my_email
message['subject'] = obj
message.attach(MIMEText(body))
for filename in attachments:
add_attachment(message, filename)
return {'raw': urlsafe_b64encode(message.as_bytes()).decode()}

def send_message(serv, destination, obj, body, attachments=[]):
return serv.users().messages().send(
userId="me",
body=build_message(destination, obj, body, attachments)
).execute()

send_message(service, my_email, "Test subject", "This is the body of the e-mail")


Подробнее здесь: https://stackoverflow.com/questions/792 ... m-phishing
Реклама
Ответить Пред. темаСлед. тема

Быстрый ответ

Изменение регистра текста: 
Смайлики
:) :( :oops: :roll: :wink: :muza: :clever: :sorry: :angel: :read: *x)
Ещё смайлики…
   
К этому ответу прикреплено по крайней мере одно вложение.

Если вы не хотите добавлять вложения, оставьте поля пустыми.

Максимально разрешённый размер вложения: 15 МБ.

  • Похожие темы
    Ответы
    Просмотры
    Последнее сообщение

Вернуться в «Python»