Your Web News in One Place

Help Webnuz

Referal links:

Sign up for GreenGeeks web hosting
July 29, 2021 09:20 pm GMT

Build a CRUD API using the Google Sheets API

Written by Georgey V B

As the name suggests, the Google Sheets API lets you connect an existing spreadsheet, parse its available data, and pass it to your web application. The latest is version 4.0, which provides the user control over many other properties such as complete access to cell formatting, including setting colors, text styles, and more. Imagine having a completely free database with an intuitive user interface that helps you view your data and organize it according to your needs while acting as a CMS. How cool is that?

Without further ado, lets jump right into creating your own CRUD API using the Google Sheets API.

Heres what well cover in this article:

  1. Setting up a new project in Google Cloud Console
  2. Linking the Google Sheet
  3. Setting up the CRUD API
  4. Making your first request
  5. Implementing CRUD operations

Setting up a new project in Google Cloud Console

As with accessing any API service, we must first set up authentication and authorization. Head over to Google Cloud and sign up if you haven't made an account yet. Then, follow the steps below to make a new project.

Setting up a new project in Google Cloud Console

Click New Project, give it a suitable name, and click Create.

Next, click the navigation menu and go to APIs and Services.

APIs and Services panel in Google Cloud Console

You will be then redirected to the API library. Search for the Google Sheets API and enable it.

Enable the Google Sheets API

Head back to the APIs and Services dashboard. Go to Credentials and create a new credential.

Credentials panel in APIs and Services tab

Click Service Account. Give it a name, set the rest as it is, and click Done.

You have now created a bot account for the spreadsheet that has permissions to read and write operations on the sheet.

Copy the service email we created. This will come into use when we connect the spreadsheet to the Google Cloud project.

Click the service account email, and then move along to Keys.

Create a new key in Google Cloud Console

Go ahead and create a new key, setting the file type as JSON. A file will be downloaded shortly, and if possible you should move it to the folder where you expect to set up the starting files.

Linking the Google Sheet

Now well connect our spreadsheet to the Google Cloud project. Head over to Google Docs and make a new spreadsheet. Name the spreadsheet.

Enter in some dummy data so that we have something to fetch while testing the API.

Now, lets add the service account and assign it the Editor role, which gives it permissions to read, write, update, and delete data.

Giving the service email editor privileges in the Google Sheet

Click Share and add the service email we recently copied, make sure you give it editor access, and un-check Notify People.

Thats all you have to do! Now lets head over to the code editor and set up the starting files for the API.

Setting up the CRUD API

Well be using a couple of packages for the API: Express, dotEnv, and googleapis. Before we download those, lets initialize npm using the following command:

npm init -y

Now install the packages:

npm install express dotenv googleapis

Add nodemon as a dev dependency (this will ensure the development server restarts whenever we make any code changes):

npm install nodemon --save-dev

With all that done, create a new file called index.js.

Start by requiring dotenv and then initialize express.

require('dotenv').config();const express = require('express');const app = express();app.listen(3000 || process.env.PORT, () => {  console.log('Up and running!!');});

Create a new script in the package.json file:

"dev": "nodemon index.js"

And if all works fine, nodemon will restart the server every time we save the file.

npm run dev

Making your first request

With all that done, lets see whether or not our spreadsheet is actually linked with the Google Cloud project.

Import the following from the googleapis package:

const { google } = require('googleapis');

Create a GET route:

app.get('/', async (req, res) => {  res.send("Hello Google!");});

Create an auth token next, consisting of a keyFile that points to the credentials.json file we downloaded and scopes that provide complete access to perform read and write operations.

const auth = new google.auth.GoogleAuth({  keyFile: 'credentials.json',  scopes: 'https://www.googleapis.com/auth/spreadsheets'});

You can always refer to the official Google Developers documentation for additional help with this.

Next up, define client, the latest version of the API, and the spreadsheetId.

const client = await auth.getClient();const googleSheet = google.sheets({ version: 'v4', auth: client });const spreadsheetId = your_spreadsheetid

Get the spreadsheet ID from the URL of the Google spreadsheet, like so:

https://docs.google.com/spreadsheets/d/{_your_database_id_}/edit#gid=0

In the above example, gid is the sheet ID.

You should probably store this sensitive information in an environment file. Create a .env file and store the spreadsheet ID as shown:

SPREADSHEET_ID=your_spreadsheet_id

And finally, point it out to the environment variable:

const spreadsheetId = process.env.SPREADSHEET_ID

With all that done, lets now finally make a request!

const getMetaData = await googleSheet.spreadsheets.get({  auth,  spreadsheetId,  range: 'Sheet1!A:B'});res.send(getMetaData);

Make sure you name the variables as we did above because it is also the shorthand for writing auth: auth.

Every API call takes in two parameters, which are auth and the spreadsheetId. The range defines the range of cells to be edited. If youre not sure of the values, you can always make use of the spreadsheets interface. Well be using when it comes to reading cell values in the next section.

For now, go ahead and make a GET request to the root URL on localhost:3000. If you have followed through with all the steps, youll get a long response back from the API.

GET request response

Implementing CRUD operation

1. Read cell values

For now, comment out the previous request, and lets actually read the cell values we have entered.

To read cell values, well use the spreadsheets.values.get method.

const getSheetData = await googleSheet.spreadsheets.values.get({  auth,  spreadsheetId,  range: 'Sheet1!A:B'});res.send(getSheetData);

As I said before, the method always takes in auth and spreadsheetId. The range parameter defines the cell area to read and write upon. In this case, well only make changes to the first two columns, A and B.

Go ahead and make a GET request.

Make a GET request without restricting cell values

The response contains a bunch of information, including the cell values, the color of the cells, geo-location, and time zone. Lets target the cell values here.

res.send(getSheetData.data.values);

The response looks much more concise now.

GET request response with concise cell values

Note that we are also getting the actual column headings in these results. You may want to omit those and send back only the cell values underneath the first row.

Heres how we can change the range. Select the area you want to include in your response. The selected area is denoted by a range. In our example, its from column A to column B.

Select the range in your Google Sheet

Since we need to include the cell values under the column headings in row one, we can start selecting from row two instead. Hence, the new range is now Sheet1!A2:B.

The response looks much better now!

The final GET request, with all changes made

2. Create and post data

With that done, lets move on to posting data into the spreadsheet.

Set up a POST route:

app.post('/post', async (req, res) => {  res.send("Data submitted!");});

Follow the same procedure as above, setting up the auth token and defining the spreadsheet ID.

To post data, well use the spreadsheets.values.append method. The Google API will append values into the spreadsheet depending on the number of values passed into the request.

The method remains the same. Well pass in auth, spreadsheetId, and a range. Along with that, we now pass in two more properties: valueInputOption and resource.

const response = await googleSheet.spreadsheets.values.append({  auth,  spreadsheetId,  range: 'Sheet1!A2:B',  valueInputOption: 'USER_ENTERED',  resource: {    values: [['NextJS', 'The framework for Production']]  }});res.send(response)

valueInputOption can take two options, "RAW" or "USER_ENTERED". If "RAW", then whatever the user has entered will be stored as it is. If you use "USER_ENTERED", the user input will always be parsed when passed if the user enters a number, itll be parsed as a number.

This is really helpful in certain use cases for instance, lets say youre building a React form that sends in the submitted data to a spreadsheet. Ill use the example of a simple spreadsheet with a score corresponding to each subject.

Example for creating and posting data

If the valueInputOption is set to "USER_ENTERED", the data gets posted and is recognized as a number. But if I set the parameter to "RAW" and pass the score as a string, the data gets posted, but Google Sheets doesnt appear to treat the score as a number.

Parsing strings and numbers in post data

The resource takes in the cell values to be added to the spreadsheet. You can also enter multiple entries by adding another set of arrays.

resource: {  values: [        ['NextJS', 'The framework for Production'],         ['Jest', 'The testing framework for React']  ]}

Go ahead and make a POST request. You can make use of any API tester like Postman for help with this.

3. Update cell values

To update cell values, we will use the spreadsheets.values.update method.

Go ahead and make a PUT route.

app.put('/update', async (req, res) => {  res.send("Updated cell!");});

The method takes in auth and spreadsheetId as usual. Make sure the range points out to a single row only, unless youre updating multiple rows.

Here, I will specify range: "Sheet1!A2:B2", which is the second row only. The rest all remains the same. You can set valueInputOption to either "RAW" or "USER_ENTERED". And finally, enter the cell values you want to replace through resource.

const response = await googleSheet.spreadsheets.values.update({  auth,  spreadsheetId,  range: 'Sheet1!A2:B2',  valueInputOption: 'USER_ENTERED',  resource: {    values: [['Jamstack', 'Future of the Web']]  }});res.send(response)

Go ahead and make a PUT request on the API tester. The cell values should be updated now.

4. Delete cell values

The Sheets API recommends using a POST request in order to use the spreadsheets.values.clear method.

So, well make a new POST route.

app.post('/delete', async (req, res) => {  res.send("Deleted Cell successfully!");});

This method is quite straightforward. All you need to do is specify the spreadsheet row and column through the range property.

const response = await googleSheet.spreadsheets.values.clear({  auth,  spreadsheetId,  range: "Sheet1!A5:B5"});

Make a new request to the /delete route to see the changes.

Well, congratulations! Thats something new! We have implemented CRUD operations using Google Sheets. If you ever get stuck, you can take a look at this repo on my GitHub.

Conclusion

Looks like we discovered a whole new database that is free and has a clean interface for managing data. You can use it with a range of languages, including Python, Go, Ruby, and many more.

Although there is a limit on the number of requests you can make 100 requests per 100 seconds if you look at the bright side, the Google Sheets API provides a great way for you to start learning APIs and can be used to integrate small-scale projects.

LogRocket: Full visibility into your web apps

LogRocket Dashboard Free Trial Banner

LogRocket is a frontend application monitoring solution that lets you replay problems as if they happened in your own browser. Instead of guessing why errors happen, or asking users for screenshots and log dumps, LogRocket lets you replay the session to quickly understand what went wrong. It works perfectly with any app, regardless of framework, and has plugins to log additional context from Redux, Vuex, and ngrx/store.

In addition to logging Redux actions and state, LogRocket records console logs, JavaScript errors, stacktraces, network requests/responses with headers + bodies, browser metadata, and custom logs. It also instruments the DOM to record the HTML and CSS on the page, recreating pixel-perfect videos of even the most complex single-page apps.

Try it for free.


Original Link: https://dev.to/logrocket/build-a-crud-api-using-the-google-sheets-api-923

Share this article:    Share on Facebook
View Full Article

Dev To

An online community for sharing and discovering great ideas, having debates, and making friends

More About this Source Visit Dev To