Как получить данные из столбцов в зависимости от даты - PullRequest
0 голосов
/ 05 июля 2019

У меня есть ротация (фиксированный порядок ротации (по лицам или обязанностям)), с которой я уже помог на этой неделе.Он работает и работает как есть, но для более простого чтения я хотел бы его транспонировать.

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

Текущий сценарий предназначен для предварительно транспонированной таблицы.

Он будет искать в столбце 0 дату.Если бы до него оставалось 7 дней, он извлек бы имя из столбца 1 и сопоставил бы его с адресом электронной почты на отдельном листе и т. Д.

Вместо этого у меня будет Дата в строке 0 &затем последующие имена в строке 1 и т. д.

Я пробовал разные вещи.Я прошелся по коду и могу увидеть, что он делает, и немного прочитал о двухмерных массивах, но я не могу найти способ заставить код работать через столбцы, а не черезстроки.

Вот код:

function sendEmails() {
  var ss1 = SpreadsheetApp.getActiveSpreadsheet();
  var sh1 = ss1.getSheetByName("Rota")
  ss1.setActiveSheet(sh1);
  var rotalink = "https://docs.google.com/spreadsheets/d/1LgzUWSAGA2kbpar8r5nosU1bSHF7nrtvtUiHS3nB_e8";
 var sheet = SpreadsheetApp.getActiveSheet();
  // Fetch the range
  var dataRange = sheet.getRange("B3:G50")
  // Fetch values for each row in the Range.
  var data = dataRange.getValues();
  for (i in data)  {
    var row = data[i];
    var today=new Date();
    var timecell = new Date(row[0]);
    var timediff = new Date();
    var one_day=1000*60*60*24;
    var daystogo = Math.ceil((timecell.getTime()-today.getTime())/(one_day));
    if (daystogo==7) {//only e-mail people with one week to go. To change that alter the "7" to the number of days you want
        var subject = "Rota reminder!";
        var emailAddress = [];
        var message;
        message = "Hello \n\n"+
                 "You are down to help at Youth Café this week. \n\n" +

                  "Please see the below rota for your role \n\n" +

                  "If you have any questions or problems let us know at thameyouthcafe@gmail.com \n\n" +

                   "Remember, you can check the rota anytime by clicking on the link below: \n\n"+ 

                  rotalink



for (var x = 1; x < 5; x++) { // 5 because emails are till col4
  //  var emailAddress = []; // Start by collecting the non-blank emails in an array
    if (getEmailFromName(row[x]) != "") {
      emailAddress.push(getEmailFromName(row[x]))
    }
  }
  emailAddress = emailAddress.join();  // Join the array to get a comma separated string
  MailApp.sendEmail(emailAddress, subject, message);
    }
  }
}

, а вот функция getEmailFromName, совпадающая с SKey (которая, как я полагаю, происходит из переменной "i" в первой функции?

function getEmailFromName(sKey) {



  // to use this function, don’t put anything in the first column (A) or row (1).

  // Put the name (i.e. the key, or what we’re looking for) in column B.

  // Put what we want to return in column C. 



  var columnToSearch = 1; //column B



  // Set the active sheet to our email lookup

  var ss1 = SpreadsheetApp.getActiveSpreadsheet();

  var sh1 = ss1.getSheetByName("EmailContactList")

  ss1.setActiveSheet(sh1);



  var data = SpreadsheetApp.getActiveSheet().getDataRange().getValues();

  var line = -1;

  for( var i = 0; i < data.length; i++ ) {

    if( data[i][columnToSearch] == sKey ) {

      line = i;

      break;

    }

  }



  if( line != -1 ) {

    //do what you want with the data on "line"

    return data[line][2]; //value on column C of the matched line

  } 

  else {

    return "";

  // if criteria is not found

 }

}

Ответы [ 2 ]

0 голосов
/ 09 июля 2019

удалось решить - спасибо за ваш вклад. Оказалось, это было невероятно просто.

Просто пришлось изменить эту строку:

var timecell = new Date(data[0])

к этому:

var timecell = new Date(data[0][i])

, поэтому он перебирает первую строку каждого столбца.

0 голосов
/ 05 июля 2019

Попробуйте так:

function sendEmails() {
  var ss1 = SpreadsheetApp.getActive();
  var sh1 = ss1.getSheetByName("Rota")
  ss1.setActiveSheet(sh1);
  var rotalink = "https://docs.google.com/spreadsheets/d/1LgzUWSAGA2kbpar8r5nosU1bSHF7nrtvtUiHS3nB_e8";
  var sheet = SpreadsheetApp.getActiveSheet();
  var dataRange = sheet.getRange("B3:G50")
  var data = dataRange.getValues();
  for (var i=0;i<dataRange.length;i++)  {
    var row = data[i];
    var today=new Date();
    var timecell = new Date(row[0]);
    var timediff = new Date();
    var one_day=1000*60*60*24;
    var daystogo = Math.ceil((timecell.getTime()-today.getTime())/(one_day));
    if (daystogo==7) {
      var subject = "Rota reminder!";
      var emailAddress = []; 
      var message = Utilities.formatString('Hello\n\nYou are down to help at Youth Café this week.\n\n Please see the below rota for your role \n\nIf you have any questions or problems let us know at thameyouthcafe@gmail.com \n\nRemember, you can check the rota anytime by clicking on the link below: \n\n%s',rotalink);
      for (var x=1;x<5;x++) { 
        if(data[i][x]) {
          emailAddress.push(data[i][x]);
        }
      }
      MailApp.sendEmail(emailAddress.join(), subject, message);
    }
  }
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...