Am trimis e-mailuri cu foi de calcul google folosind un șablon

0

Problema

Eu sunt încercarea de a rula script-ul de mai jos trimiterea de e-mailuri de la modelul din Foaie[1] A1. De fiecare dată scenariul declanșează selectează datele pentru fillInTheTemplate funcție de gama

const grg = sheet.getRange(2, 1, 6, 36); Am nevoie de codul pentru a selecta doar gama pentru fillTemplateFunction de rând, care are nu au "Email_Sent" în rândul 36

Multumesc pentru orice ajutor

 * 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

Cel mai bun răspuns

1

Când am văzut scenariul tău, se pare că scenariul trimite e-mail prin bifarea coloanei "K" (coloana numărul 11) și coloana de "AJ" (coloana număr este 36) cu if (status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT') {}. Și, când am văzut eșantion de Calcul, numărul de rând, care nu are valoare de "EMAIL_SENT" la coloane "AJ" este 5. Dar, când am văzut coloana "K", nici o valoare nu este deja existente. Prin aceasta, status == 'PRICE ONLY' && emailSent != 'EMAIL_SENT' se întoarce false. Prin aceasta, e-mail nu este trimis. M-am gândit că acest lucru ar putea fi motivul pentru problema ta.

Dacă doriți să trimiteți e-mail atunci când coloana "AJ" nu are valoare de "EMAIL_SENT", cât despre următoarele modificări?

De la:

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

A:

if (emailSent != 'EMAIL_SENT') {

Adăugat:

Din următorul răspuns,

Codul este de a trimite e-mail ca am nevoie și 'Email_Sent' este plasat în coloana AJ așa cum ar trebui. Problema pe care o am se referă cu funcția fillInTemplateFromObject(tmpl, grg) funcția. Gama eu sunt, folosind pentru această funcție este 'const grg = foaie.getRange(2, 1, 5, 36); ' Acest lucru începe la rând 2 rânduri și include 5 rânduri. Când am trimite e-mail datele De celule în serie pentru modelul de date este de la randul 6 deși rând care Email_Sent este randul 4. Modelul ar trebui să ia datele din aceleași celule care e-Mail este trimis.

În acest caz, cum rămâne cu următoarele modificări?

De la:

  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

Scuze, voi încerca să fiu mai clar în explicarea problema. Codul este de a trimite e-mail ca am nevoie și 'Email_Sent' este plasat în coloana AJ așa cum ar trebui. Problema pe care o am se referă cu funcția fillInTemplateFromObject(tmpl, grg) funcția. Gama eu sunt, folosind pentru această funcție este 'const grg = foaie.getRange(2, 1, 5, 36); ' Acest lucru începe la rând 2 rânduri și include 5 rânduri. Când am trimite e-mail datele De celule în serie pentru modelul de date este de la randul 6 deși rând care Email_Sent este randul 4. Modelul ar trebui să ia datele din aceleași celule care e-Mail este trimis.
Les

Nu știu cum să-i spuneți fillInTemplatefromObject funcție pentru a selecta celule de pe același rând care e-mail este trimis. Sper că veți înțelege de ce eu sunt în căutarea de a realiza. Multumesc pentru ajutor.
Les

@Les Mulțumesc pentru răspuns. Scuze pentru calificare engleză. Din răspuns, am mai adaugat o modificare punctul în răspunsul meu. Ai putea, te rog confirma? Dacă am înțeles bine întrebarea din nou, îmi cer scuze din nou.
Tanaike

Da, excelent, funcționează perfect. Multumesc foarte mult Tanaike
Les

În alte limbi

Această pagină este în alte limbi

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