Back to Integrations
integrationGoogle Drive node
integrationMonday.com node

Google Drive and Monday.com integration

Save yourself the work of writing custom integrations for Google Drive and Monday.com and use n8n instead. Build adaptable and scalable Data & Storage, and Productivity workflows that work with your technology stack. All within a building experience you will love.

How to connect Google Drive and Monday.com

  • Step 1: Create a new workflow
  • Step 2: Add and configure nodes
  • Step 3: Connect
  • Step 4: Customize and extend your integration
  • Step 5: Test and activate your workflow

Step 1: Create a new workflow and add the first step

In n8n, click the "Add workflow" button in the Workflows tab to create a new workflow. Add the starting point – a trigger on when your workflow should run: an app event, a schedule, a webhook call, another workflow, an AI chat, or a manual trigger. Sometimes, the HTTP Request node might already serve as your starting point.

Google Drive and Monday.com integration: Create a new workflow and add the first step

Step 2: Add and configure Google Drive and Monday.com nodes

You can find Google Drive and Monday.com in the nodes panel. Drag them onto your workflow canvas, selecting their actions. Click each node, choose a credential, and authenticate to grant n8n access. Configure Google Drive and Monday.com nodes one by one: input data on the left, parameters in the middle, and output data on the right.

Google Drive and Monday.com integration: Add and configure Google Drive and Monday.com nodes

Step 3: Connect Google Drive and Monday.com

A connection establishes a link between Google Drive and Monday.com (or vice versa) to route data through the workflow. Data flows from the output of one node to the input of another. You can have single or multiple connections for each node.

Google Drive and Monday.com integration: Connect Google Drive and Monday.com

Step 4: Customize and extend your Google Drive and Monday.com integration

Use n8n's core nodes such as If, Split Out, Merge, and others to transform and manipulate data. Write custom JavaScript or Python in the Code node and run it as a step in your workflow. Connect Google Drive and Monday.com with any of n8n’s 1000+ integrations, and incorporate advanced AI logic into your workflows.

Google Drive and Monday.com integration: Customize and extend your Google Drive and Monday.com integration

Step 5: Test and activate your Google Drive and Monday.com workflow

Save and run the workflow to see if everything works as expected. Based on your configuration, data should flow from Google Drive to Monday.com or vice versa. Easily debug your workflow: you can check past executions to isolate and fix the mistake. Once you've tested everything, make sure to save your workflow and activate it.

Google Drive and Monday.com integration: Test and activate your Google Drive and Monday.com workflow

Complete client onboarding: Form to Monday.com, Google Drive & Email

Overview
Streamline your entire client onboarding process with a single workflow. When a new client submits the intake form, this automation creates a Monday.com item, generates a complete Google Drive folder structure from your template, updates the Monday item with the folder link, and sends a personalized welcome email—all automatically.

What This Workflow Does
Displays a professional intake form (client name, email, project type)
Creates a new item in your Monday.com board with all details
Generates a Google Drive folder for the client
Duplicates your template folder structure using Apps Script
Updates the Monday.com item with the Google Drive folder link
Sends a welcome email to the client with folder access

Key Features
End-to-end automation** — From form submission to welcome email
CRM integration** — All client data captured in Monday.com
Organized file storage** — Consistent folder structure for every client
Professional onboarding** — Clients receive immediate welcome email with resources
Fully customizable** — Add more form fields, notifications, or integrations

Prerequisites
Monday.com account with API credentials
Google Drive account with OAuth2 credentials
Gmail account with OAuth2 credentials
Google Apps Script deployment (code below)
Template folder in Google Drive with {{NAME}} placeholders

Setup

Step 1: Get your Monday.com IDs
Open your Monday.com board
Board ID: Check the URL → monday.com/boards/BOARD_ID
Group ID: Use Monday API Explorer or browser dev tools
Column IDs: Found in column settings or via API

Step 2: Create your Drive template folder
📁 {{NAME}} - Client Files
├── 📁 01. Contracts & Agreements
├── 📁 02. {{NAME}} - Assets
├── 📁 03. Deliverables
├── 📁 04. Communications
└── 📄 {{NAME}} - Project Brief.gdoc

Step 3: Deploy Apps Script
Go to script.google.com
Create new project → Paste code below
Deploy → New deployment → Web app
Execute as: Me | Access: Anyone
Copy the deployment URL

Step 4: Configure the workflow
Replace these placeholders:
YOUR_BOARD_ID — Monday.com board ID
YOUR_GROUP_ID — Monday.com group ID
DESTINATION_PARENT_FOLDER_ID — Drive folder for new client folders
YOUR_APPS_SCRIPT_URL — Apps Script deployment URL
YOUR_TEMPLATE_FOLDER_ID — Template folder to duplicate

Step 5: Connect credentials
Monday.com API credentials
Google Drive OAuth2
Gmail OAuth2

Apps Script Code

function doPost(e) {
try {
var params = e.parameter;
var templateFolderId = params.templateFolderId;
var name = params.name;
var destinationFolderId = params.destinationFolderId;

if (!templateFolderId || !name) {
  return jsonResponse({
    success: false,
    error: 'Missing required parameters: templateFolderId and name are required'
  });
}

var templateFolder = DriveApp.getFolderById(templateFolderId);

if (destinationFolderId) {
  var destinationFolder = DriveApp.getFolderById(destinationFolderId);
  copyContentsRecursively(templateFolder, destinationFolder, name);
  
  return jsonResponse({
    success: true,
    id: destinationFolder.getId(),
    url: destinationFolder.getUrl(),
    name: destinationFolder.getName(),
    mode: 'copied_to_existing',
    timestamp: new Date().toISOString()
  });
} else {
  var parentFolder = templateFolder.getParents().next();
  var newFolderName = replacePlaceholders(templateFolder.getName(), name);
  var newFolder = parentFolder.createFolder(newFolderName);
  copyContentsRecursively(templateFolder, newFolder, name);
  
  return jsonResponse({
    success: true,
    id: newFolder.getId(),
    url: newFolder.getUrl(),
    name: newFolder.getName(),
    mode: 'created_new',
    timestamp: new Date().toISOString()
  });
}

} catch (error) {
return jsonResponse({
success: false,
error: error.toString()
});
}
}

function replacePlaceholders(text, name) {
var result = text;
result = result.replace(/{{NAME}}/g, name);
result = result.replace(/{{name}}/g, name.toLowerCase());
result = result.replace(/{{Name}}/g, name);
return result;
}

function copyContentsRecursively(sourceFolder, destinationFolder, name) {
var files = sourceFolder.getFiles();
while (files.hasNext()) {
try {
var file = files.next();
var newFileName = replacePlaceholders(file.getName(), name);
file.makeCopy(newFileName, destinationFolder);
Utilities.sleep(150);
} catch (error) {
Logger.log('Error copying file: ' + error.toString());
}
}

var subfolders = sourceFolder.getFolders();
while (subfolders.hasNext()) {
try {
var subfolder = subfolders.next();
var newSubfolderName = replacePlaceholders(subfolder.getName(), name);
var newSubfolder = destinationFolder.createFolder(newSubfolderName);
Utilities.sleep(200);
copyContentsRecursively(subfolder, newSubfolder, name);
} catch (error) {
Logger.log('Error copying subfolder: ' + error.toString());
}
}
}

function jsonResponse(data) {
return ContentService
.createTextOutput(JSON.stringify(data))
.setMimeType(ContentService.MimeType.JSON);
}

Use Cases
Agencies** — Automate client onboarding with CRM tracking
Freelancers** — Professional intake process for new projects
Consulting firms** — Standardized client setup workflow
Creative studios** — Organize assets and deliverables from day one
Service businesses** — Streamline customer setup and communication

Customization Ideas
Add more form fields: phone, company size, budget, deadline
Add Slack notification to alert your team
Create tasks in Monday.com sub-items
Add to Google Calendar for kickoff meeting
Integrate with invoicing (Stripe, QuickBooks)

Notes
Apps Script may take 30-60 seconds for large folder structures
Monday.com column IDs must match your board's actual columns
The welcome email can be customized with your branding
Test with a single client before full deployment

Nodes used in this workflow

Popular Google Drive and Monday.com workflows

Complete Client Onboarding: Form to Monday.com, Google Drive & Email

Overview Streamline your entire client onboarding process with a single workflow. When a new client submits the intake form, this automation creates a Monday.com item, generates a complete Google Drive folder structure from your template, updates the Monday item with the folder link, and sends a personalized welcome email—all automatically. What This Workflow Does Displays a professional intake form (client name, email, project type) Creates a new item in your Monday.com board with all details Generates a Google Drive folder for the client Duplicates your template folder structure using Apps Script Updates the Monday.com item with the Google Drive folder link Sends a welcome email to the client with folder access Key Features End-to-end automation** — From form submission to welcome email CRM integration** — All client data captured in Monday.com Organized file storage** — Consistent folder structure for every client Professional onboarding** — Clients receive immediate welcome email with resources Fully customizable** — Add more form fields, notifications, or integrations Prerequisites Monday.com account with API credentials Google Drive account with OAuth2 credentials Gmail account with OAuth2 credentials Google Apps Script deployment (code below) Template folder in Google Drive with {{NAME}} placeholders Setup Step 1: Get your Monday.com IDs Open your Monday.com board Board ID: Check the URL → monday.com/boards/BOARD_ID Group ID: Use Monday API Explorer or browser dev tools Column IDs: Found in column settings or via API Step 2: Create your Drive template folder 📁 {{NAME}} - Client Files ├── 📁 01. Contracts & Agreements ├── 📁 02. {{NAME}} - Assets ├── 📁 03. Deliverables ├── 📁 04. Communications └── 📄 {{NAME}} - Project Brief.gdoc Step 3: Deploy Apps Script Go to script.google.com Create new project → Paste code below Deploy → New deployment → Web app Execute as: Me | Access: Anyone Copy the deployment URL Step 4: Configure the workflow Replace these placeholders: YOUR_BOARD_ID — Monday.com board ID YOUR_GROUP_ID — Monday.com group ID DESTINATION_PARENT_FOLDER_ID — Drive folder for new client folders YOUR_APPS_SCRIPT_URL — Apps Script deployment URL YOUR_TEMPLATE_FOLDER_ID — Template folder to duplicate Step 5: Connect credentials Monday.com API credentials Google Drive OAuth2 Gmail OAuth2 Apps Script Code function doPost(e) { try { var params = e.parameter; var templateFolderId = params.templateFolderId; var name = params.name; var destinationFolderId = params.destinationFolderId; if (!templateFolderId || !name) { return jsonResponse({ success: false, error: 'Missing required parameters: templateFolderId and name are required' }); } var templateFolder = DriveApp.getFolderById(templateFolderId); if (destinationFolderId) { var destinationFolder = DriveApp.getFolderById(destinationFolderId); copyContentsRecursively(templateFolder, destinationFolder, name); return jsonResponse({ success: true, id: destinationFolder.getId(), url: destinationFolder.getUrl(), name: destinationFolder.getName(), mode: 'copied_to_existing', timestamp: new Date().toISOString() }); } else { var parentFolder = templateFolder.getParents().next(); var newFolderName = replacePlaceholders(templateFolder.getName(), name); var newFolder = parentFolder.createFolder(newFolderName); copyContentsRecursively(templateFolder, newFolder, name); return jsonResponse({ success: true, id: newFolder.getId(), url: newFolder.getUrl(), name: newFolder.getName(), mode: 'created_new', timestamp: new Date().toISOString() }); } } catch (error) { return jsonResponse({ success: false, error: error.toString() }); } } function replacePlaceholders(text, name) { var result = text; result = result.replace(/\{\{NAME\}\}/g, name); result = result.replace(/\{\{name\}\}/g, name.toLowerCase()); result = result.replace(/\{\{Name\}\}/g, name); return result; } function copyContentsRecursively(sourceFolder, destinationFolder, name) { var files = sourceFolder.getFiles(); while (files.hasNext()) { try { var file = files.next(); var newFileName = replacePlaceholders(file.getName(), name); file.makeCopy(newFileName, destinationFolder); Utilities.sleep(150); } catch (error) { Logger.log('Error copying file: ' + error.toString()); } } var subfolders = sourceFolder.getFolders(); while (subfolders.hasNext()) { try { var subfolder = subfolders.next(); var newSubfolderName = replacePlaceholders(subfolder.getName(), name); var newSubfolder = destinationFolder.createFolder(newSubfolderName); Utilities.sleep(200); copyContentsRecursively(subfolder, newSubfolder, name); } catch (error) { Logger.log('Error copying subfolder: ' + error.toString()); } } } function jsonResponse(data) { return ContentService .createTextOutput(JSON.stringify(data)) .setMimeType(ContentService.MimeType.JSON); } Use Cases Agencies** — Automate client onboarding with CRM tracking Freelancers** — Professional intake process for new projects Consulting firms** — Standardized client setup workflow Creative studios** — Organize assets and deliverables from day one Service businesses** — Streamline customer setup and communication Customization Ideas Add more form fields: phone, company size, budget, deadline Add Slack notification to alert your team Create tasks in Monday.com sub-items Add to Google Calendar for kickoff meeting Integrate with invoicing (Stripe, QuickBooks) Notes Apps Script may take 30-60 seconds for large folder structures Monday.com column IDs must match your board's actual columns The welcome email can be customized with your branding Test with a single client before full deployment

Build your own Google Drive and Monday.com integration

Create custom Google Drive and Monday.com workflows by choosing triggers and actions. Nodes come with global operations and settings, as well as app-specific parameters that can be configured. You can also use the HTTP Request node to query data from any app or service with a REST API.

Google Drive supported actions

Copy
Create a copy of an existing file
Create From Text
Create a file from a provided text
Delete
Permanently delete a file
Download
Download a file
Move
Move a file to another folder
Share
Add sharing permissions to a file
Update
Update a file
Upload
Upload an existing file to Google Drive
Search
Search or list files and folders
Create
Create a folder
Delete
Permanently delete a folder
Share
Add sharing permissions to a folder
Create
Create a shared drive
Delete
Permanently delete a shared drive
Get
Get a shared drive
Get Many
Get the list of shared drives
Update
Update a shared drive

Monday.com supported actions

Archive
Archive a board
Create
Create a new board
Get
Get a board
Get Many
Get many boards
Create
Create a new column
Get Many
Get many columns
Delete
Delete a group in a board
Create
Create a group in a board
Get Many
Get list of groups in a board
Add Update
Add an update to an item
Change Column Value
Change a column value for a board item
Change Multiple Column Values
Change multiple column values for a board item
Create
Create an item in a board's group
Delete
Delete an item
Get
Get an item
Get By Column Value
Get items by column value
Get Many
Get many items
Move
Move item to group

FAQs

  • Can Google Drive connect with Monday.com?

  • Can I use Google Drive’s API with n8n?

  • Can I use Monday.com’s API with n8n?

  • Is n8n secure for integrating Google Drive and Monday.com?

  • How to get started with Google Drive and Monday.com integration in n8n.io?

Need help setting up your Google Drive and Monday.com integration?

Discover our latest community's recommendations and join the discussions about Google Drive and Monday.com integration.
hubschrauber
Jon
David O'Neil

Looking to integrate Google Drive and Monday.com in your company?

Over 3000 companies switch to n8n every single week

Why use n8n to integrate Google Drive with Monday.com

Build complex workflows, really fast

Build complex workflows, really fast

Handle branching, merging and iteration easily.
Pause your workflow to wait for external events.

Code when you need it, UI when you don't

Simple debugging

Your data is displayed alongside your settings, making edge cases easy to track down.

Use templates to get started fast

Use 1000+ workflow templates available from our core team and our community.

Reuse your work

Copy and paste, easily import and export workflows.

Implement complex processes faster with n8n

red iconyellow iconred iconyellow icon