0
0
GcpHow-ToBeginner · 3 min read

How to Create a Cloud Function on Google Cloud Platform

To create a Google Cloud Function, write your function code, then deploy it using the gcloud functions deploy command with a name, runtime, and trigger. This sets up a serverless function that runs in response to events like HTTP requests.
📐

Syntax

The basic command to create a Google Cloud Function is:

  • gcloud functions deploy FUNCTION_NAME: Names your function.
  • --runtime RUNTIME: Specifies the language environment (e.g., nodejs18, python39).
  • --trigger-http: Makes the function respond to HTTP requests.
  • --entry-point FUNCTION: The exported function name in your code.

This command uploads your code and sets up the function in the cloud.

bash
gcloud functions deploy FUNCTION_NAME --runtime RUNTIME --trigger-http --entry-point FUNCTION
💻

Example

This example shows how to create a simple HTTP Cloud Function in Node.js that returns a greeting message.

javascript
exports.helloWorld = (req, res) => {
  res.send('Hello, world!');
};
Output
When you send an HTTP request to the deployed function URL, it responds with: Hello, world!
⚠️

Common Pitfalls

Common mistakes include:

  • Not specifying the correct --runtime matching your code language.
  • Forgetting to set --trigger-http for HTTP functions.
  • Using the wrong --entry-point if your function name in code differs.
  • Not having the Google Cloud SDK installed or authenticated.

Always test your function locally or with gcloud functions call before deploying.

bash
Wrong:
gcloud functions deploy myFunc --runtime python39

Right:
gcloud functions deploy myFunc --runtime python39 --trigger-http --entry-point myFunc
📊

Quick Reference

Command PartDescription
gcloud functions deploy FUNCTION_NAMEDeploys the function with the given name
--runtime RUNTIMESets the language environment (e.g., nodejs18, python39)
--trigger-httpMakes the function respond to HTTP requests
--entry-point FUNCTIONSpecifies the function name in your code to run

Key Takeaways

Use the gcloud CLI with proper flags to deploy your Cloud Function.
Match the runtime flag to your code language to avoid errors.
Set the trigger type correctly, like --trigger-http for web requests.
Name your function entry point exactly as in your code.
Test your function after deployment to confirm it works.