I am trying to import data from a csv file, the script works as it brings the data in but over wright the data already in my sheet, please how do I get this script to insert in the next available row also how do I only fetch from row 3?
JavaScript
x
31
31
1
function onOpen() {
2
var ss = SpreadsheetApp.getActiveSpreadsheet();
3
var searchMenuEntries = [ {name: "Search in all files", functionName: "search"}];
4
var csvMenuEntries = [{name: "Load from CSV file", functionName: "importFromCSV"}];
5
ss.addMenu("Search Google Drive", searchMenuEntries);
6
ss.addMenu("CSV", csvMenuEntries);
7
}
8
9
function importFromCSV() {
10
var fileName = Browser.inputBox("Enter the name of the file in your Google Drive to import (e.g. myFile.csv):");
11
12
var searchTerm = "title = '"+fileName+"'";
13
14
var files = DriveApp.searchFiles(searchTerm)
15
var csvFile = "";
16
17
18
while (files.hasNext()) {
19
var file = files.next();
20
if (file.getName() == fileName) {
21
csvFile = file.getBlob().getDataAsString();
22
break;
23
}
24
}
25
26
var csvData = Utilities.parseCsv(csvFile);
27
var ss = SpreadsheetApp.getActiveSpreadsheet();
28
var sheet = ss.getActiveSheet();
29
sheet.getRange(1, 1, csvData.length, csvData[0].length).setValues(csvData);
30
}
31
Advertisement
Answer
Explanation:
To insert the data in the next available row:
JavaScript121sheet.getRange(sheet.getLastRow()+1, 1, csvData.length, csvData[0].length).setValues(csvData);
2
You can use slice to get from the third row onwards:
JavaScript121csvData.slice(2);
2
Solution:
JavaScript
1
34
34
1
function onOpen() {
2
var ss = SpreadsheetApp.getActiveSpreadsheet();
3
var searchMenuEntries = [ {name: "Search in all files", functionName: "search"}];
4
var csvMenuEntries = [{name: "Load from CSV file", functionName: "importFromCSV"}];
5
ss.addMenu("Search Google Drive", searchMenuEntries);
6
ss.addMenu("CSV", csvMenuEntries);
7
}
8
9
function importFromCSV() {
10
var fileName = Browser.inputBox("Enter the name of the file in your Google Drive to import (e.g. myFile.csv):");
11
12
var searchTerm = "title = '"+fileName+"'";
13
14
var files = DriveApp.searchFiles(searchTerm)
15
var csvFile = "";
16
17
18
while (files.hasNext()) {
19
var file = files.next();
20
if (file.getName() == fileName) {
21
csvFile = file.getBlob().getDataAsString();
22
break;
23
}
24
}
25
26
var csvData = Utilities.parseCsv(csvFile);
27
var ss = SpreadsheetApp.getActiveSpreadsheet();
28
var sheet = ss.getActiveSheet();
29
30
var s_csvData = csvData.slice(2); // <- new code
31
32
sheet.getRange(sheet.getLastRow()+1, 1, s_csvData.length, s_csvData[0].length).setValues(s_csvData); // <- modification
33
}
34