Io sono l'invio di messaggi di posta elettronica con google fogli utilizzando un modello

0

Domanda

Sto cercando di eseguire lo script di seguito l'invio di email dal modello in Fogli[1] A1. Ogni volta che il trigger di script che consente di selezionare i dati per fillInTheTemplate funzione della gamma

const grg = sheet.getRange(2, 1, 6, 36); Mi richiede il codice di solo selezionare l'intervallo per il fillTemplateFunction dalla riga che ha non è "Email_Sent" nella riga 36

Grazie per qualsiasi aiuto

 * Sends emails from spreadsheet rows.
 */
function sendEmails() {
  const ss = SpreadsheetApp.getActive();
  const dsh = ss.getSheets()[0];//repl with getshbyname
  const drg = dsh.getRange(2, 1, dsh.getLastRow() - 2, 36);
  const vs = drg.getValues();
  const tsh = ss.getSheets()[1];//repl with getshbyname
  const tmpl = tsh.getRange('A1').getValue();
  var sheet = SpreadsheetApp.getActiveSheet();
  const grg = sheet.getRange(2, 1, 6, 36);
  objects = getRowsData(sheet, grg);
  for (var i = 0; i < objects.length; ++i) {
  var rowData = objects[i];}
  vs.forEach((r,i) => {
    let emailSent = r[35]; 
    let status = r[10];  
    if (status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT') { 
    MailApp.sendEmail(r[9], 'SUPERMIX QUOTATION',fillInTemplateFromObject(tmpl, rowData) );//if last paramenter is the options object then you are missing the  null for the body. but since fillInTemplateFromObject is undefined I can not know that
    dsh.getRange(2 + i, 36).setValue('EMAIL_SENT');
    }
  });
}

/**
 * Replaces markers in a template string with values define in a JavaScript data object.
 * @param {string} template Contains markers, for instance ${"Column name"}
 * @param {object} data values to that will replace markers.
 *   For instance data.columnName will replace marker ${"Column name"}
 * @return {string} A string without markers. If no data is found to replace a marker,
 *   it is simply removed.
 */
function fillInTemplateFromObject(tmpl, grg) {
  console.log('[START] fillInTemplateFromObject()');
  var email = tmpl;
  // Search for all the variables to be replaced, for instance ${"Column name"}
  var templateVars = tmpl.match(/\$\{\"[^\"]+\"\}/g);

  // Replace variables from the template with the actual values from the data object.
  // If no value is available, replace with the empty string.
  for (var i = 0; templateVars && i < templateVars.length; ++i) {
    // normalizeHeader ignores ${"} so we can call it directly here.
    var variableData = grg[normalizeHeader(templateVars[i])];
    email = email.replace(templateVars[i], variableData || '');
  }
SpreadsheetApp.flush();
  return email;
}
/**
 * Iterates row by row in the input range and returns an array of objects.
 * Each object contains all the data for a given row, indexed by its normalized column name.
 * @param {Sheet} sheet The sheet object that contains the data to be processed
 * @param {Range} range The exact range of cells where the data is stored
 * @param {number} columnHeadersRowIndex Specifies the row number where the column names are stored.
 *   This argument is optional and it defaults to the row immediately above range;
 * @return {object[]} An array of objects.
 */
function getRowsData(sheet, range, columnHeadersRowIndex) {
  columnHeadersRowIndex = columnHeadersRowIndex || range.getRowIndex() - 1;
  var numColumns = range.getEndColumn() - range.getColumn() + 1;
  var headersRange = sheet.getRange(columnHeadersRowIndex, range.getColumn(), 1, numColumns);
  var headers = headersRange.getValues()[0];
  return getObjects(range.getValues(), normalizeHeaders(headers));
}

/**
 * For every row of data in data, generates an object that contains the data. Names of
 * object fields are defined in keys.
 * @param {object} data JavaScript 2d array
 * @param {object} keys Array of Strings that define the property names for the objects to create
 * @return {object[]} A list of objects.
 */
function getObjects(data, keys) {
  var objects = [];
  for (var i = 0; i < data.length; ++i) {
    var object = {};
    var hasData = false;
    for (var j = 0; j < data[i].length; ++j) {
      var cellData = data[i][j];
      if (isCellEmpty(cellData)) {
        continue;
      }
      object[keys[j]] = cellData;
      hasData = true;
    }
    if (hasData) {
      objects.push(object);
    }
  }
  return objects;
}

/**
 * Returns an array of normalized Strings.
 * @param {string[]} headers Array of strings to normalize
 * @return {string[]} An array of normalized strings.
 */
function normalizeHeaders(headers) {
  var keys = [];
  for (var i = 0; i < headers.length; ++i) {
    var key = normalizeHeader(headers[i]);
    if (key.length > 0) {
      keys.push(key);
    }
  }
  return keys;
}

/**
 * Normalizes a string, by removing all alphanumeric characters and using mixed case
 * to separate words. The output will always start with a lower case letter.
 * This function is designed to produce JavaScript object property names.
 * @param {string} header The header to normalize.
 * @return {string} The normalized header.
 * @example "First Name" -> "firstName"
 * @example "Market Cap (millions) -> "marketCapMillions
 * @example "1 number at the beginning is ignored" -> "numberAtTheBeginningIsIgnored"
 */
function normalizeHeader(header) {
  var key = '';
  var upperCase = false;
  for (var i = 0; i < header.length; ++i) {
    var letter = header[i];
    if (letter == ' ' && key.length > 0) {
      upperCase = true;
      continue;
    }
    if (!isAlnum(letter)) {
      continue;
    }
    if (key.length == 0 && isDigit(letter)) {
      continue; // first character must be a letter
    }
    if (upperCase) {
      upperCase = false;
      key += letter.toUpperCase();
    } else {
      key += letter.toLowerCase();
    }
  }
  return key;
}

/**
 * Returns true if the cell where cellData was read from is empty.
 * @param {string} cellData Cell data
 * @return {boolean} True if the cell is empty.
 */
function isCellEmpty(cellData) {
  return typeof(cellData) == 'string' && cellData == '';
}

/**
 * Returns true if the character char is alphabetical, false otherwise.
 * @param {string} char The character.
 * @return {boolean} True if the char is a number.
 */
function isAlnum(char) {
  return char >= 'A' && char <= 'Z' ||
    char >= 'a' && char <= 'z' ||
    isDigit(char);
}

/**
 * Returns true if the character char is a digit, false otherwise.
 * @param {string} char The character.
 * @return {boolean} True if the char is a digit.
 */
function isDigit(char) {
  return char >= '0' && char <= '9';
}```


google-apps-script google-sheets
2021-11-23 23:09:33
1

Migliore risposta

1

Quando ho visto il tuo script, sembra che il tuo script invia email selezionando la colonna "K" (colonna numero 11) e la colonna di "AJ" (colonna numero 36) e con if (status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT') {}. E, quando ho visto il vostro Foglio di lavoro di esempio, il numero di riga che non ha valore di "EMAIL_SENT" a colonne "AJ" è di 5. Ma, quando ho visto la colonna "K", nessun valore è esistente. Da questo, il status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT' restituisce false. Da questo, l'email non viene inviata. Ho pensato che questo potrebbe essere il motivo per il vostro problema.

Se si desidera inviare l'e-mail quando la colonna "AJ" non ha alcun valore di "EMAIL_SENT", come circa la seguente modifica?

Da:

if (status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT') { 

A:

if (emailSent != 'EMAIL_SENT') {

Aggiunto il:

Da la seguente risposta

Il codice viene inviato e-mail al mio bisogno e 'Email_Sent' viene inserito nella colonna AJ come dovrebbe. Il problema che ho riguarda la funzione fillInTemplateFromObject(tmpl, grg) funzione. La gamma sto usando per questa funzione è 'const grg = foglio.getRange(2, 1, 5, 36); ' Questo inizia a riga 2 righe e dispone di 5 righe. Quando ho inviato l'e-mail I dati della cella nell'intervallo per il modello di dati è da riga 6 anche se la riga che la Email_Sent è la riga 4. Il Modello dovrebbe prendere i dati dalle stesse cellule che l'Email è stata inviata.

In questo caso, come per la seguente modifica?

Da:

  for (var i = 0; i < objects.length; ++i) {
  var rowData = objects[i];}
  vs.forEach((r,i) => {
    let emailSent = r[35]; 
    let status = r[10];  
    if (status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT') { 
    MailApp.sendEmail(r[9], 'SUPERMIX QUOTATION',fillInTemplateFromObject(tmpl, rowData) );//if last paramenter is the options object then you are missing the  null for the body. but since fillInTemplateFromObject is undefined I can not know that
    dsh.getRange(2 + i, 36).setValue('EMAIL_SENT');
    }
  });

A:

vs.forEach((r, i) => {
  let emailSent = r[35];
  if (emailSent != 'EMAIL_SENT') {
    MailAppaa.sendEmail(r[9], 'SUPERMIX QUOTATION', fillInTemplateFromObject(tmpl, objects[i]));
    dsh.getRange(2 + i, 36).setValue('EMAIL_SENT');
  }
});
2021-11-25 23:51:20

Scuse, cercherò di essere più chiaro nello spiegare il problema. Il codice viene inviato e-mail al mio bisogno e 'Email_Sent' viene inserito nella colonna AJ come dovrebbe. Il problema che ho riguarda la funzione fillInTemplateFromObject(tmpl, grg) funzione. La gamma sto usando per questa funzione è 'const grg = foglio.getRange(2, 1, 5, 36); ' Questo inizia a riga 2 righe e dispone di 5 righe. Quando ho inviato l'e-mail I dati della cella nell'intervallo per il modello di dati è da riga 6 anche se la riga che la Email_Sent è la riga 4. Il Modello dovrebbe prendere i dati dalle stesse cellule che l'Email è stata inviata.
Les

Non so come raccontare la fillInTemplatefromObject funzione per selezionare le celle della stessa riga in cui il messaggio viene inviato. Spero che capirete quello che sto cercando di raggiungere. Grazie per il vostro aiuto.
Les

@Les Grazie per la risposta. Mi scuso per la mia scarsa conoscenza dell'inglese abilità. Dalla tua risposta, ho aggiunto una modifica di più punto la mia risposta. Per favore potete confermare? Se ho frainteso la tua domanda, mi scuso di nuovo.
Tanaike

Sì ottimo, funziona perfettamente. Grazie molto Tanaike
Les

In altre lingue

Questa pagina è in altre lingue

Русский
..................................................................................................................
Polski
..................................................................................................................
Română
..................................................................................................................
한국어
..................................................................................................................
हिन्दी
..................................................................................................................
Français
..................................................................................................................
Türk
..................................................................................................................
Česk
..................................................................................................................
Português
..................................................................................................................
ไทย
..................................................................................................................
中文
..................................................................................................................
Español
..................................................................................................................
Slovenský
..................................................................................................................