Full width home advertisement

IT Sharing

Travel the world

Climb the mountains

Post Page Advertisement [Top]

 


Google Drive is a storage service available for Google users and allows you to store all kinds of files. All users have 15GB for free after created their Google account, and all you need to do is log in at https://drive.google.com then upload your files inside. For advanced users (developers), there is an API available to programmatically performs actions like Create a folder, add a file, search files, etc... It can be useful in some cases:

  • Backup your database and upload it to your drive
  • Set a Cron job to look up inside a folder and upload the files inside
  • Receive an email when you reach the storage threshold
  • Delete all files older than a specific date

Our goal

Here is the goal we want to achieve: We have a .jpg file on our server, and we want to upload it into our Google Drive inside a folder named Picture. If the folder doesn't exist, we will create it, and finally, when the file is successfully updated, delete the file on the server.

Get API Credentials

The first step is to get our Google Drive credentials which are:

  • Client Id and a Client Secret
  • redirect URI and refresh token

You need to have a Google account for the steps below:

  1. Go to https://console.cloud.google.com/cloud-resource-manager and click on the button "Create Project". Give a name to the project, click on "Create" to submit, and when for the creation to complete.
Create a new project on Google Cloud Platform

2. Once the project is created, select it. You will be redirected to the console dashboard. On the sidebar menu, click on the menu "APIs & Services".
Locate the button labeled "ENABLE APIS AND SERVICES" and click on it.

Enable APIs & Services on Google Cloud Platform

3. You will be redirected to a page that lists all the Google APIs. Search for Google Drive API and click on it in the results list. On the next page, click on the button "Enable", you will be redirected to a page when the API will be enabled.

4. On the new page, click on the menu in the sidebar labeled "Credentials". On the next page, locate the drop-down button labeled "CREATE CREDENTIALS" click on it and select the drop-down menu labeled "OAuth client ID"

Create OAuth Client ID

5. On the new page, click on the button "CONFIGURE CONSENT SCREEN" then check "External" for the User Type. You can select "Internal" if the account you use is inside an organization which is not my case. Click on the button "Create"

Configure consent screen: select user type

On the new page, we have a page with 4 steps.

In step 1, give your application the name and select your email address as the value for the input labeled "User support email". Also, give your email address as value for input labeled "Developer contact information". You can ignore other inputs since they aren't mandatory. Click on "Save and Continue"

Configure consent screen: Provide application information.

On step 2, no change to do, so click on "Save and Continue."
In step 3, add a Test user with your email address. Note that you can add up to 100. Click on "Save and Continue"

Configure consent screen: Add test users.

Step 4 is just a summary of the previous steps. Click on the button "BACK TO DASHBOARD."

6. On the new page, click on the menu in the sidebar labeled "Credentials". On the next page, locate the drop-down button labeled "CREATE CREDENTIALS" click on it and select the drop-down menu labeled "OAuth client ID"
On the next page, select "Web Application" as the value of the input labeled "Application type,"
Give a name to our Web Application.
In the section "Authorized redirect URIs," click on "ADD URI" and fill the input with this value: https://developers.google.com/oauthplayground

Create OAuth client ID for a Web Application

Click on "CREATE" to submit, and hooray 🎉 , we have our Client ID and Client Secret.

At this step, we already have:

7. Let's get the refresh token.

Go to https://developers.google.com/oauthplayground

Get Refresh Token

You will be redirected to our Google Account to authorize the app to access our Google Drive.
Authorize, and you will be redirected to a page with the content below:

Get Refresh Token: Exchange authorization code for tokens.

When the request is completed, you will have your refresh token 🎉.

Refresh token generated successfully!

Project structure

We have everything to start interact with Google Drive API. We will use the Node.js project already set up with Typescript that we created throughout this previous tutorial so, clone the repository at this link then go inside.

git clone https://github.com/tericcabrel/node-ts-starter.git node-gdrive-api

cd node-gdrive-api
Clone repository containing the minimal setup

At the root folder, create a directory named "public" and copy a picture file inside, which will be uploaded to Google Drive. I took this picture on Unsplash by SpaceX.

├── public
│   ├── spacex-uj3hvdfQujI-unsplash.jpg
├── src
│   ├── index.ts
├── .eslintrc.js
├── .prettierrc.js
├── README.md
├── package.json
├── tsconfig.json
└── yarn.lock
Directory structure

Setup environment variables

We need the credentials we created previously to interact with Google Drive API and to avoid using them in raw, we need to load them from a configuration file. We will use the dotenv package; we also need the Node.js SDK for Google API. So, inside the terminal at the project root, run the code below to install them:

yarn install
yarn add dotenv googleapis
yarn add -D @types/node
Install dotenv and googleapis

Create a file named .env then add the content below:

GOOGLE_DRIVE_CLIENT_ID=<YOUR_CLIENT_ID>
GOOGLE_DRIVE_CLIENT_SECRET=<YOUR_CLIENT_SECRET>
GOOGLE_DRIVE_REDIRECT_URI=https://developers.google.com/oauthplayground
GOOGLE_DRIVE_REFRESH_TOKEN=<YOUR_REFRESH_TOKEN>
Configuration files with Google Drive API credentials 

Open src/index.ts and type the code below save and run the code yarn start to see the result:

import dotenv from 'dotenv';

dotenv.config();

console.log(process.env.GOOGLE_DRIVE_CLIENT_ID);
console.log(process.env.GOOGLE_DRIVE_CLIENT_SECRET);
console.log(process.env.GOOGLE_DRIVE_REDIRECT_URI);
console.log(process.env.GOOGLE_DRIVE_REFRESH_TOKEN);
Content of src/index.ts

Interact with Google Drive API

We will create a file named googleDriveService which 4 methods:

  • createDriveClient(): create a client with the credentials generated before, and we will use it to make calls to Google Drive API
  • searchFolder(): Search a folder inside Google Drive.
  • createFolder(): Create a new folder inside Google Drive
  • saveFile(): Create a new file in a folder inside Google Drive
import fs from 'fs';
// eslint-disable-next-line @typescript-eslint/no-var-requires
const { google } = require('googleapis');

/**
 * Browse the link below to see the complete object returned for folder/file creation and search
 *
 * @link https://developers.google.com/drive/api/v3/reference/files#resource
 */
type PartialDriveFile = {
  id: string;
  name: string;
};

type SearchResultResponse = {
  kind: 'drive#fileList';
  nextPageToken: string;
  incompleteSearch: boolean;
  files: PartialDriveFile[];
};

export class GoogleDriveService {
  private driveClient;

  public constructor(clientId: string, clientSecret: string, redirectUri: string, refreshToken: string) {
    this.driveClient = this.createDriveClient(clientId, clientSecret, redirectUri, refreshToken);
  }

  createDriveClient(clientId: string, clientSecret: string, redirectUri: string, refreshToken: string) {
    const client = new google.auth.OAuth2(clientId, clientSecret, redirectUri);

    client.setCredentials({ refresh_token: refreshToken });

    return google.drive({
      version: 'v3',
      auth: client,
    });
  }

  createFolder(folderName: string): Promise<PartialDriveFile> {
    return this.driveClient.files.create({
      resource: {
        name: folderName,
        mimeType: 'application/vnd.google-apps.folder',
      },
      fields: 'id, name',
    });
  }

  searchFolder(folderName: string): Promise<PartialDriveFile | null> {
    return new Promise((resolve, reject) => {
      this.driveClient.files.list(
        {
          q: `mimeType='application/vnd.google-apps.folder' and name='${folderName}'`,
          fields: 'files(id, name)',
        },
        (err, res: { data: SearchResultResponse }) => {
          if (err) {
            return reject(err);
          }

          return resolve(res.data.files ? res.data.files[0] : null);
        },
      );
    });
  }

  saveFile(fileName: string, filePath: string, fileMimeType: string, folderId?: string) {
    return this.driveClient.files.create({
      requestBody: {
        name: fileName,
        mimeType: fileMimeType,
        parents: folderId ? [folderId] : [],
      },
      media: {
        mimeType: fileMimeType,
        body: fs.createReadStream(filePath),
      },
    });
  }
}
Content of file src/googleDriveService.ts

Now let's use the GoogleDriveService in our index.ts file so replace the content by the one below:

import dotenv from 'dotenv';
import * as path from 'path';
import * as fs from 'fs';

import { GoogleDriveService } from './googleDriveService';

dotenv.config();

const driveClientId = process.env.GOOGLE_DRIVE_CLIENT_ID || '';
const driveClientSecret = process.env.GOOGLE_DRIVE_CLIENT_SECRET || '';
const driveRedirectUri = process.env.GOOGLE_DRIVE_REDIRECT_URI || '';
const driveRefreshToken = process.env.GOOGLE_DRIVE_REFRESH_TOKEN || '';

(async () => {
  const googleDriveService = new GoogleDriveService(driveClientId, driveClientSecret, driveRedirectUri, driveRefreshToken);

  const finalPath = path.resolve(__dirname, '../public/spacex-uj3hvdfQujI-unsplash.jpg');
  const folderName = 'Picture';

  if (!fs.existsSync(finalPath)) {
    throw new Error('File not found!');
  }

  let folder = await googleDriveService.searchFolder(folderName).catch((error) => {
    console.error(error);
    return null;
  });

  if (!folder) {
    folder = await googleDriveService.createFolder(folderName);
  }

  await googleDriveService.saveFile('SpaceX', finalPath, 'image/jpg', folder.id).catch((error) => {
    console.error(error);
  });

  console.info('File uploaded successfully!');

  // Delete the file on the server
  fs.unlinkSync(finalPath);
})();
Content of file src/index.ts

Src: https://blog.tericcabrel.com/upload-file-to-google-drive-with-nodejs/

Không có nhận xét nào:

Đăng nhận xét

Bottom Ad [Post Page]