Estoy enviando correos electrónicos con hojas de cálculo de google a partir de una plantilla

0

Pregunta

Estoy tratando de ejecutar el siguiente script de envío de correos electrónicos a partir de la plantilla en la Hoja[1] A1. Cada vez que los activadores de guión selecciona los datos para fillInTheTemplate función de la gama

const grg = sheet.getRange(2, 1, 6, 36); Necesito el código para sólo seleccionar el intervalo para el fillTemplateFunction de la fila que tiene no tiene "Email_Sent" en la fila 36

Gracias por cualquier ayuda

 * 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

Mejor respuesta

1

Cuando vi su guión, parece que el script envía el correo electrónico mediante la comprobación de la columna "K" (número de columna es de 11) y la columna de "AJ" (número de columna es de 36) con if (status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT') {}. Y cuando vi su Hoja de cálculo de muestra, el número de la fila que no tiene valor de "EMAIL_SENT" en las columnas de "AJ" es 5. Pero, cuando vi la columna "K", no hay un valor existente. Por esto, el status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT' devuelve false. Por esto, el correo electrónico no se envía. Pensé que esta podría ser la razón de su problema.

Si desea enviar el mensaje de correo electrónico cuando la columna de "AJ" no tiene un valor de "EMAIL_SENT", ¿y la siguiente modificación?

De:

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

A:

if (emailSent != 'EMAIL_SENT') {

Añadió:

A partir de la siguiente contestación,

El código está enviando el correo electrónico como me requieren y 'Email_Sent' se coloca en la columna AJ como debería. El problema que tengo se relaciona con la función fillInTemplateFromObject(tmpl, grg) de la función. La gama estoy usando para esta función es 'const grg = hoja.getRange(2, 1, 5, 36); ' Este se inicia en la fila 2 filas y 5 filas. Cuando tengo que enviar el correo electrónico los datos de La celda en el rango de los datos de la plantilla es a partir de la fila 6 aunque la fila que la Email_Sent es la fila 4. La Plantilla debe tomar los datos de las mismas células que el Correo electrónico está siendo enviado.

En este caso, ¿la siguiente modificación?

De:

  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

Disculpas, voy a tratar de ser más claro en la explicación de la cuestión. El código está enviando el correo electrónico como me requieren y 'Email_Sent' se coloca en la columna AJ como debería. El problema que tengo se relaciona con la función fillInTemplateFromObject(tmpl, grg) de la función. La gama estoy usando para esta función es 'const grg = hoja.getRange(2, 1, 5, 36); ' Este se inicia en la fila 2 filas y 5 filas. Cuando tengo que enviar el correo electrónico los datos de La celda en el rango de los datos de la plantilla es a partir de la fila 6 aunque la fila que la Email_Sent es la fila 4. La Plantilla debe tomar los datos de las mismas células que el Correo electrónico está siendo enviado.
Les

No sé cómo decirle a la fillInTemplatefromObject función para seleccionar las celdas de la misma fila que el correo electrónico se envía. Espero que se entienda lo que estoy tratando de lograr. Gracias por su ayuda.
Les

@Les Gracias por responder. Me disculpo por mi mala inglés de habilidad. A partir de su respuesta, he añadido una modificación más punto en mi respuesta. Podría por favor confirmar? Si no he entendido tu pregunta de nuevo, me disculpo de nuevo.
Tanaike

Sí excelente, funciona a la perfección. Muchas gracias Tanaike
Les

En otros idiomas

Esta página está en otros idiomas

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