Takma Adları Yönetme

Farklı gönder takma adları, bir hesabın kullanabileceği e-posta adreslerini temsil eder posta gönder. Her hesabın her zaman hesabı temsil eden en az bir hesabın birincil e-posta adresi.

Farklı gönder takma adları, "Postaları şu adresten gönder" özelliğinin web arayüzü.

Takma adlar, hesap için imzaları yönetmek amacıyla da kullanılır. Temel bilgiler e-posta imzalarını değiştirebilmeniz için farklı gönder takma adı gereklidir. Yukarıdaki videoda, farklı gönderme takma adları arasında nasıl geçiş yapacağınız ve kullanıcının birincil e-posta adresi için imzadır.

Nasıl yapıldığını create list, get, güncelleme, takma adları silebilirsiniz, bkz. SendAsreferans.

Takma ad oluşturma ve doğrulama

Şunları oluşturmanız gerekir: takma adlar var. Bazı durumlarda, kullanıcıların takma ad'dır.

Gmail bir takma ad için kullanıcı doğrulaması gerektirirse takma ad pending durumu. Şuraya otomatik olarak bir doğrulama iletisi gönderilir: hedef e-posta adresi. E-posta adresinin sahibi, doğrulamayı tamamlamalıdır işlemeden geçmeniz gerekir.

Doğrulama gerektirmeyen takma adların doğrulama durumu accepted olur.

Şu işlemler için doğrulama yöntemini kullanın: gerekirse doğrulama isteğini yeniden gönderin.

SMTP ayarları

Harici adreslerin takma adları, uzaktaki bir SMTP üzerinden posta göndermelidir posta gönderme aracısı (MSA) dahil edilir. Takma ad için SMTP AHS'sini yapılandırmak üzere smtpMsa alanına bağlantı bilgilerini girin.

İmzaları yönetme

Ayrıca her takma ad için e-posta imzalarını yapılandırabilirsiniz. Örneğin, kullanıcının birincil adresinin imzası:

Java

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;
  }
}

Python

gmail/snippet/settings snippet'leri/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()