Управление псевдонимами

Псевдонимы «Отправить как» представляют собой адреса электронной почты, с которых учетная запись может отправлять почту. У каждой учетной записи всегда есть хотя бы один псевдоним, обозначающий основной адрес электронной почты учетной записи.

Псевдонимы «Отправить как» соответствуют функции «Отправить почту как» в веб-интерфейсе.

Псевдонимы также используются для управления подписями учетной записи. Чтобы иметь возможность изменять подписи электронной почты, необходимо базовое понимание псевдонимов отправки как. В приведенном выше видеоролике показано, как перебирать псевдонимы отправки как и изменять подпись для основного адреса электронной почты пользователя.

Сведения о том, как создавать , перечислять , получать , обновлять или удалять псевдонимы, см. в справочнике SendAs .

Создание и проверка псевдонимов

Перед использованием необходимо создать псевдонимы. В некоторых случаях пользователи также должны подтвердить право собственности на псевдоним.

Если Gmail требует подтверждения пользователя для псевдонима, псевдоним возвращается со статусом pending . На целевой адрес электронной почты автоматически отправляется подтверждающее сообщение. Владелец адреса электронной почты должен пройти процедуру проверки, прежде чем его можно будет использовать.

Псевдонимы, не требующие проверки, имеют статус проверки « accepted ».

При необходимости используйте метод проверки , чтобы повторно отправить запрос на проверку.

Настройки SMTP

Псевдонимы внешних адресов должны отправлять почту через удаленный агент отправки почты SMTP (MSA). Чтобы настроить SMTP MSA для псевдонима, используйте поле smtpMsa чтобы указать сведения о соединении.

Управление подписями

Вы также можете настроить подписи электронной почты для каждого псевдонима. Например, чтобы установить подпись для основного адреса пользователя:

Ява

gmail/snippets/src/main/java/UpdateSignature.java
import com.google.api.client.googleapis.json.GoogleJsonError;
import com.google.api.client.googleapis.json.GoogleJsonResponseException;
import com.google.api.client.http.HttpRequestInitializer;
import com.google.api.client.http.javanet.NetHttpTransport;
import com.google.api.client.json.gson.GsonFactory;
import com.google.api.services.gmail.Gmail;
import com.google.api.services.gmail.GmailScopes;
import com.google.api.services.gmail.model.ListSendAsResponse;
import com.google.api.services.gmail.model.SendAs;
import com.google.auth.http.HttpCredentialsAdapter;
import com.google.auth.oauth2.GoogleCredentials;
import java.io.IOException;

/* Class to demonstrate the use of Gmail Update Signature API */
public class UpdateSignature {
  /**
   * Update the gmail signature.
   *
   * @return the updated signature id , {@code null} otherwise.
   * @throws IOException - if service account credentials file not found.
   */
  public static String updateGmailSignature() throws IOException {
        /* Load pre-authorized user credentials from the environment.
           TODO(developer) - See https://developers.google.com/identity for
            guides on implementing OAuth2 for your application. */
    GoogleCredentials credentials = GoogleCredentials.getApplicationDefault()
        .createScoped(GmailScopes.GMAIL_SETTINGS_BASIC);
    HttpRequestInitializer requestInitializer = new HttpCredentialsAdapter(credentials);

    // Create the gmail API client
    Gmail service = new Gmail.Builder(new NetHttpTransport(),
        GsonFactory.getDefaultInstance(),
        requestInitializer)
        .setApplicationName("Gmail samples")
        .build();

    try {
      SendAs primaryAlias = null;
      ListSendAsResponse aliases = service.users().settings().sendAs().list("me").execute();
      for (SendAs alias : aliases.getSendAs()) {
        if (alias.getIsPrimary()) {
          primaryAlias = alias;
          break;
        }
      }
      // Updating a new signature
      SendAs aliasSettings = new SendAs().setSignature("Automated Signature");
      SendAs result = service.users().settings().sendAs().patch(
              "me",
              primaryAlias.getSendAsEmail(),
              aliasSettings)
          .execute();
      //Prints the updated signature
      System.out.println("Updated signature - " + result.getSignature());
      return result.getSignature();
    } catch (GoogleJsonResponseException e) {
      // TODO(developer) - handle error appropriately
      GoogleJsonError error = e.getDetails();
      if (error.getCode() == 403) {
        System.err.println("Unable to update signature: " + e.getDetails());
      } else {
        throw e;
      }
    }
    return null;
  }
}

Питон

gmail/snippet/settings snippets/update_signature.py
import google.auth
from googleapiclient.discovery import build
from googleapiclient.errors import HttpError


def update_signature():
  """Create and update signature in gmail.
  Returns:Draft object, including updated signature.

  Load pre-authorized user credentials from the environment.
  TODO(developer) - See https://developers.google.com/identity
  for guides on implementing OAuth2 for the application.
  """
  creds, _ = google.auth.default()

  try:
    # create gmail api client
    service = build("gmail", "v1", credentials=creds)

    primary_alias = None

    # pylint: disable=E1101
    aliases = service.users().settings().sendAs().list(userId="me").execute()
    for alias in aliases.get("sendAs"):
      if alias.get("isPrimary"):
        primary_alias = alias
        break

    send_as_configuration = {
        "displayName": primary_alias.get("sendAsEmail"),
        "signature": "Automated Signature",
    }

    # pylint: disable=E1101
    result = (
        service.users()
        .settings()
        .sendAs()
        .patch(
            userId="me",
            sendAsEmail=primary_alias.get("sendAsEmail"),
            body=send_as_configuration,
        )
        .execute()
    )
    print(f'Updated signature for: {result.get("displayName")}')

  except HttpError as error:
    print(f"An error occurred: {error}")
    result = None

  return result.get("signature")


if __name__ == "__main__":
  update_signature()