Bulk Delete Files in Google Drive with Google Apps Script: Organize with Spreadsheets
data:image/s3,"s3://crabby-images/07238/07238c6e582e2fdbb66217fe0e1addfc51827bd0" alt=""
In previous articles, we introduced how to modify access permissions and bulk copy files within a folder using Google Apps Script. This time, we’ll explain how to bulk delete files in Google Drive.
Using two Google Apps Scripts, you can list files within a folder or across your entire Drive and efficiently delete unnecessary ones in bulk.
Manually deleting files one by one in Google Drive can be time-consuming, but with this method, you can streamline the process and save time.
data:image/s3,"s3://crabby-images/95d7b/95d7bd24ed32fc82e0087842ac6078962001efed" alt=""
data:image/s3,"s3://crabby-images/68c8e/68c8ec29655727d4940b509061f715d1aaacd8f5" alt=""
Example Output
List Files in Google Drive (Script ①)
data:image/s3,"s3://crabby-images/3a6bd/3a6bd1b1c5b0f18347714b6d8aa378acc180992a" alt=""
Bulk Delete Selected Files (Script ②)
data:image/s3,"s3://crabby-images/8058c/8058c80d70491d2740c95e8f021e44ecfc56a2d9" alt=""
- Specify a folder name or ID to list target files in a spreadsheet.
- Select files for deletion using checkboxes and execute bulk deletion.
- Record a history of deleted files for reference.
This script moves files in Google Drive to the Trash, so they are not permanently deleted.
To completely remove the files, you will need to manually empty the Trash in Google Drive as needed.
Steps
Script 1: File Listing
This script lists the files you want to delete, allowing you to select which files to remove.
data:image/s3,"s3://crabby-images/0681d/0681d42bb273e03711e4ffac6d24c7437a86bfe4" alt=""
Open a Google Spreadsheet.
(Both existing or new files are supported.)
Since the items are automatically created by Google Apps Script, no manual input is required.
- A new sheet named “Bulk File Deletion” will be created.
data:image/s3,"s3://crabby-images/ebd1e/ebd1ea9759ef557bafe1f3ec8758af104cf14fde" alt=""
Open a Google Spreadsheet and click on “Extensions” in the menu, then “Apps Script” to open the Apps Script editor.
data:image/s3,"s3://crabby-images/7c62b/7c62b3121865cec294ca7ec70eb7852debf7cc83" alt=""
Since the default function myFunction() {}
is present, delete it and replace it with the script below.
function listFilesForDeletion() {
const ui = SpreadsheetApp.getUi();
const response = ui.prompt(
'Specify a Folder',
'Enter "All Files in Drive" or provide a folder name or folder ID:',
ui.ButtonSet.OK_CANCEL
);
if (response.getSelectedButton() === ui.Button.CANCEL) {
ui.alert('Operation cancelled.');
return;
}
const input = response.getResponseText().trim();
// If "All Files in Drive" is entered, list all files; otherwise, list files in the specified folder
if (input === 'All Files in Drive') {
listAllFilesForDeletion();
} else {
listFilesInFolderForDeletion(input);
}
}
function listAllFilesForDeletion() {
const sheet = setupDeletionSheet();
const files = DriveApp.getFiles();
let row = 2;
while (files.hasNext()) {
const file = files.next();
appendFileDataForDeletionToSheet(sheet, file, row);
row++;
}
}
function listFilesInFolderForDeletion(folderNameOrId) {
const sheet = setupDeletionSheet();
let folder;
try {
folder = DriveApp.getFolderById(folderNameOrId);
} catch (e) {
const folders = DriveApp.getFoldersByName(folderNameOrId);
if (folders.hasNext()) {
folder = folders.next();
} else {
SpreadsheetApp.getUi().alert('Folder not found.');
return;
}
}
const files = folder.getFiles();
let row = 2;
while (files.hasNext()) {
const file = files.next();
appendFileDataForDeletionToSheet(sheet, file, row);
row++;
}
}
function setupDeletionSheet() {
const sheetName = 'Bulk File Deletion';
const sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName(sheetName) || SpreadsheetApp.getActiveSpreadsheet().insertSheet(sheetName);
// Clear and reset the sheet
sheet.clear();
// Set headers
const headers = [
'Folder Name',
'File Name',
'Owner',
'Last Updated',
'Delete Target'
];
sheet.appendRow(headers);
const headerRange = sheet.getRange(1, 1, 1, headers.length);
headerRange.setHorizontalAlignment('center');
headerRange.setVerticalAlignment('middle');
// Set background color for headers (light green)
headerRange.setBackground('#B7E1CD');
return sheet;
}
function appendFileDataForDeletionToSheet(sheet, file, row) {
const folderName = getFolderName(file);
const fileName = file.getName();
const fileLink = file.getUrl();
const owner = file.getOwner() ? file.getOwner().getEmail() : 'No Owner';
const lastUpdated = file.getLastUpdated();
// Add data to the sheet (file name as a hyperlink)
sheet.getRange(row, 1).setValue(folderName);
sheet.getRange(row, 2).setFormula(`=HYPERLINK("${fileLink}", "${fileName}")`);
sheet.getRange(row, 3).setValue(owner);
sheet.getRange(row, 4).setValue(lastUpdated);
sheet.getRange(row, 5).insertCheckboxes(); // Add checkboxes for delete targets
}
function getFolderName(file) {
const parents = file.getParents();
return parents.hasNext() ? parents.next().getName() : 'Root';
}
Script 1 Description
listFilesForDeletion
Function-
This function prompts the user to specify a folder name, folder ID, or select “All Files in Drive”. It then lists all files within the specified folder or across the entire Drive.
function listFilesForDeletion() { const ui = SpreadsheetApp.getUi(); const response = ui.prompt( 'Specify a Folder', 'Enter "All Files in Drive" or provide a folder name or folder ID:', ui.ButtonSet.OK_CANCEL ); if (response.getSelectedButton() === ui.Button.CANCEL) { ui.alert('Operation cancelled.'); return; } const input = response.getResponseText().trim(); // If "All Files in Drive" is entered, list all files; otherwise, list files in the specified folder if (input === 'All Files in Drive') { listAllFilesForDeletion(); } else { listFilesInFolderForDeletion(input); } }
- The function uses
ui.prompt()
to request user input, allowing the user to specify a folder name or folder ID to determine the scope of the file listing. - If the input is “All Files in Drive”, the
listAllFilesForDeletion()
function is called to list all files in the Drive. - For any other input, the
listFilesInFolderForDeletion()
function is called to list files within the specified folder.
- The function uses
listAllFilesForDeletion
Function-
This function lists all files in Google Drive.
function listAllFilesForDeletion() { const sheet = setupDeletionSheet(); const files = DriveApp.getFiles(); let row = 2; while (files.hasNext()) { const file = files.next(); appendFileDataForDeletionToSheet(sheet, file, row); row++; } }
- It uses
DriveApp.getFiles()
to retrieve all files in Google Drive and adds them to the spreadsheet.
- It uses
listFilesInFolderForDeletion
Function-
This function lists the files within the specified folder.
function listFilesInFolderForDeletion(folderNameOrId) { const sheet = setupDeletionSheet(); let folder; try { folder = DriveApp.getFolderById(folderNameOrId); } catch (e) { const folders = DriveApp.getFoldersByName(folderNameOrId); if (folders.hasNext()) { folder = folders.next(); } else { SpreadsheetApp.getUi().alert('Folder not found.'); return; } }
- It retrieves the target folder based on the folder ID or folder name provided by the user.
- The files within the specified folder are then fetched using the
getFiles()
method and listed in the spreadsheet.
setupDeletionSheet
Function-
This function sets up the spreadsheet to be used for listing files.
function setupDeletionSheet() { const sheetName = 'Bulk File Deletion'; const sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName(sheetName) || SpreadsheetApp.getActiveSpreadsheet().insertSheet(sheetName); // Clear and reset the sheet sheet.clear(); // Set headers const headers = [ 'Folder Name', 'File Name', 'Owner', 'Last Updated', 'Delete Target' ]; sheet.appendRow(headers); const headerRange = sheet.getRange(1, 1, 1, headers.length); headerRange.setHorizontalAlignment('center'); headerRange.setVerticalAlignment('middle'); // Set background color for headers (light green) headerRange.setBackground('#B7E1CD'); return sheet; }
- It retrieves or creates a sheet named “Bulk File Deletion” and initializes it.
- The header row (Folder Name, File Name, Owner, Last Updated, Delete Target) is set up, and a background color is applied to enhance visual clarity.
appendFileDataForDeletionToSheet
Function-
This function adds information for each file to the spreadsheet.
function appendFileDataForDeletionToSheet(sheet, file, row) { const folderName = getFolderName(file); const fileName = file.getName(); const fileLink = file.getUrl(); const owner = file.getOwner() ? file.getOwner().getEmail() : 'No Owner'; const lastUpdated = file.getLastUpdated(); // Add data to the sheet (file name as a hyperlink) sheet.getRange(row, 1).setValue(folderName); sheet.getRange(row, 2).setFormula(`=HYPERLINK("${fileLink}", "${fileName}")`); sheet.getRange(row, 3).setValue(owner); sheet.getRange(row, 4).setValue(lastUpdated); sheet.getRange(row, 5).insertCheckboxes(); // Add checkboxes for delete targets }
- It records the file’s folder name, file name (with a hyperlink), owner, and last updated date in the spreadsheet, and adds a checkbox to mark the file as a delete target.
getFolderName
Function-
This function retrieves the name of the folder the file belongs to.
function getFolderName(file) { const parents = file.getParents(); return parents.hasNext() ? parents.next().getName() : 'Root'; }
- If the file has a parent folder, it returns the folder’s name; otherwise, it displays “Root”.
data:image/s3,"s3://crabby-images/ae6d6/ae6d60cf21a3c977655fff79963b54b2a89c3933" alt=""
After writing the script, save it with a name.
(Example: “File Deletion Selector”)
data:image/s3,"s3://crabby-images/601e6/601e609f37b3ee24e618f95c939cbdc236c764e7" alt=""
Run the script.
If you’re running the script for the first time, you need to authorize it.
Therefore, press “Review Permissions.“
data:image/s3,"s3://crabby-images/8a2d2/8a2d28f15b6c0f9da63213cf5d92cfbedaa368d2" alt=""
Detailed Authorization Steps
Press “Advanced.”
data:image/s3,"s3://crabby-images/27adc/27adc60f9572cb50bca5f1b9b4eee9a6334aa0af" alt=""
Press “Go to Untitled project (Unsafe).”
data:image/s3,"s3://crabby-images/42ad6/42ad67a3288d8307ecbf7b7fd770b9e1c123353d" alt=""
After that, press “Allow.”
data:image/s3,"s3://crabby-images/616e4/616e4aa4daf0386fae4d152db28a65082aa1341b" alt=""
data:image/s3,"s3://crabby-images/7fb0f/7fb0f20f00e9fd908bf876de0a1bf82ff9244d99" alt=""
When the script is executed, a popup will appear first.
Here, you can enter either “All Files in Drive” or a specific folder name or folder ID.
data:image/s3,"s3://crabby-images/64f85/64f8588f16eb39dc9eeadddc3371c6fbb3c12866" alt=""
When the script is executed, a new sheet is created.
Sheet Name: “Bulk File Deletion”
The created sheet will list the following details:
Column | Item |
---|---|
Column A | Folder Name |
Column B | File Name |
Column C | Owner |
Column D | Last Updated |
Column E | Delete Target |
Script 2: Delete Selected Files
This script allows you to select files from the listed ones and delete them in bulk.
data:image/s3,"s3://crabby-images/e7708/e7708903dcaba8a9a2bf03c16beaf0a1b9e320e1" alt=""
Check the checkboxes for the files you want to delete.
The process is the same as in Script 1.
data:image/s3,"s3://crabby-images/ebd1e/ebd1ea9759ef557bafe1f3ec8758af104cf14fde" alt=""
Open a Google Spreadsheet and click on “Extensions” in the menu, then “Apps Script” to open the Apps Script editor.
Paste the following script.
data:image/s3,"s3://crabby-images/7c62b/7c62b3121865cec294ca7ec70eb7852debf7cc83" alt=""
Since the default function myFunction() {}
is present, delete it and replace it with the script below.
function deleteSelectedFiles() {
const sheetName = 'Bulk File Deletion';
const sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName(sheetName);
if (!sheet) {
SpreadsheetApp.getUi().alert('The sheet "Bulk File Deletion" was not found.');
return;
}
// Set up headers
const headers = [
'Folder Name',
'File Name',
'Owner',
'Last Updated',
'Delete Target',
'Deleted At'
];
sheet.getRange(1, 1, 1, headers.length).setValues([headers]);
const headerRange = sheet.getRange(1, 1, 1, headers.length);
headerRange.setHorizontalAlignment('center');
headerRange.setVerticalAlignment('middle');
headerRange.setBackground('#B7E1CD'); // Light Green
const lastRow = sheet.getLastRow();
for (let i = 2; i <= lastRow; i++) {
const checkbox = sheet.getRange(i, 5).getValue();
if (checkbox) { // If checkbox in column E is checked
const fileLink = sheet.getRange(i, 2).getFormula();
const fileIdMatch = fileLink.match(/\/d\/([a-zA-Z0-9-_]+)/);
if (fileIdMatch) {
try {
const fileId = fileIdMatch[1];
const file = DriveApp.getFileById(fileId);
// Move the file to Trash
file.setTrashed(true);
// Add timestamp in column F
sheet.getRange(i, 6).setValue(new Date());
// Update folder name to "Trash"
sheet.getRange(i, 1).setValue('Trash');
// Reset the checkbox in column E
sheet.getRange(i, 5).setValue(false);
} catch (e) {
console.error('Error occurred while deleting the file:', e.message);
}
} else {
console.warn('Could not extract file ID from the file link:', fileLink);
}
}
}
}
Script Description
deleteSelectedFiles
Function-
This function deletes the files marked with checkboxes in the spreadsheet.
function deleteSelectedFiles() { const sheetName = 'Bulk File Deletion'; const sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName(sheetName); if (!sheet) { SpreadsheetApp.getUi().alert('The sheet "Bulk File Deletion" was not found.'); return; } // Set up headers const headers = [ 'Folder Name', 'File Name', 'Owner', 'Last Updated', 'Delete Target', 'Deleted At' ]; sheet.getRange(1, 1, 1, headers.length).setValues([headers]);
- It retrieves the “Bulk File Deletion” sheet and reviews the listed file information.
- Files marked for deletion are identified using the
getRange()
method, and the process continues only if the checkbox is selected.
- Deletion Process
-
Files with selected checkboxes are deleted.
const lastRow = sheet.getLastRow(); for (let i = 2; i <= lastRow; i++) { const checkbox = sheet.getRange(i, 5).getValue(); if (checkbox) { // If checkbox in column E is checked const fileLink = sheet.getRange(i, 2).getFormula(); const fileIdMatch = fileLink.match(/\/d\/([a-zA-Z0-9-_]+)/); if (fileIdMatch) { try { const fileId = fileIdMatch[1]; const file = DriveApp.getFileById(fileId); // Move the file to Trash file.setTrashed(true);
- The file ID is extracted from each file’s link, and the corresponding file is retrieved using
DriveApp.getFileById()
. - The
setTrashed(true)
method is then used to move the file to the Trash.
- The file ID is extracted from each file’s link, and the corresponding file is retrieved using
- Record of Deleted Files
-
A timestamp is added to indicate when the file was successfully deleted.
// Add timestamp in column F sheet.getRange(i, 6).setValue(new Date()); // Update folder name to "Trash" sheet.getRange(i, 1).setValue('Trash'); // Reset the checkbox in column E sheet.getRange(i, 5).setValue(false); } catch (e) { console.error('Error occurred while deleting the file:', e.message); }
- The deletion timestamp is recorded in the “Deleted At” column of the spreadsheet, serving as a deletion history.
- The delete target checkbox is reset, and the folder name is updated to “Trash”.
The process is the same as in Script 1.
data:image/s3,"s3://crabby-images/23f0c/23f0c32437b245c4880be30ec5b0b9cfdb9d6e29" alt=""
After writing the script, save it with a name.
(Example: “Bulk File Deletion”)
The process is the same as in Script 1.
data:image/s3,"s3://crabby-images/ee4b6/ee4b6094445e109be335337be90a559792ec51c1" alt=""
Run the script.
If you’re running the script for the first time, you need to authorize it.
Therefore, press “Review Permissions.“
data:image/s3,"s3://crabby-images/8a2d2/8a2d28f15b6c0f9da63213cf5d92cfbedaa368d2" alt=""
Detailed Authorization Steps
Press “Advanced.”
data:image/s3,"s3://crabby-images/27adc/27adc60f9572cb50bca5f1b9b4eee9a6334aa0af" alt=""
Press “Go to Untitled project (Unsafe).”
data:image/s3,"s3://crabby-images/42ad6/42ad67a3288d8307ecbf7b7fd770b9e1c123353d" alt=""
After that, press “Allow.”
data:image/s3,"s3://crabby-images/616e4/616e4aa4daf0386fae4d152db28a65082aa1341b" alt=""
data:image/s3,"s3://crabby-images/0727a/0727a6f9f42153761362f47d1ebe5fd515b57e08" alt=""
When the script is executed, the files with selected checkboxes are deleted.
- Column A: The folder name is updated to “Trash”.
- Column E: The delete target checkbox is reset.
- Column F: A timestamp (deletion date) is added in the “Deleted At” column.
Notes
- File Access Permissions
-
Sufficient permissions are required to execute the script.
Files cannot be deleted if you are not the owner.
- Confirm Before Permanent Deletion
-
Files deleted by the script are moved to the Trash.
It is recommended to perform a final check before permanently deleting files.
Conclusion
Using Google Apps Script to efficiently organize files in Google Drive can save you significant time.
If you identify workflows that can be automated with Apps Script, take advantage of them to boost productivity!
data:image/s3,"s3://crabby-images/95d7b/95d7bd24ed32fc82e0087842ac6078962001efed" alt=""
data:image/s3,"s3://crabby-images/68c8e/68c8ec29655727d4940b509061f715d1aaacd8f5" alt=""
-
Effortlessly Manage and Modify Spreadsheet Permissions Using Google Apps Script: Preparation Guide
-
How to Connect GA4 Data to Google Sheets: A Step-by-Step Guide Using the Official Google Analytics Add-On
-
Bulk Delete Files in Google Drive with Google Apps Script: Organize with Spreadsheets
Our company offers support for improving work efficiency through the use of Google Apps Script.
If you need assistance with Google Apps Script customization or error resolution, please feel free to contact us.
We are fully committed to supporting your business improvements.
Contact us here
Comments