run/pubsub/main.go (47 lines of code) (raw):

// Copyright 2019 Google LLC // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // https://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. // [START cloudrun_pubsub_server] // Sample run-pubsub is a Cloud Run service which handles Pub/Sub messages. package main import ( "encoding/json" "io" "log" "net/http" "os" ) func main() { http.HandleFunc("/", HelloPubSub) // Determine port for HTTP service. port := os.Getenv("PORT") if port == "" { port = "8080" log.Printf("Defaulting to port %s", port) } // Start HTTP server. log.Printf("Listening on port %s", port) if err := http.ListenAndServe(":"+port, nil); err != nil { log.Fatal(err) } } // [END cloudrun_pubsub_server] // [START cloudrun_pubsub_handler] // PubSubPayload is the payload of a Pub/Sub event. type PubSubPayload struct { Message struct { Data []byte `json:"data,omitempty"` ID string `json:"id"` } `json:"message"` Subscription string `json:"subscription"` } // HelloPubSub receives and processes a Pub/Sub push message. func HelloPubSub(w http.ResponseWriter, r *http.Request) { var m PubSubPayload body, err := io.ReadAll(r.Body) defer r.Body.Close() if err != nil { log.Printf("io.ReadAll: %v", err) http.Error(w, "Bad Request", http.StatusBadRequest) return } // byte slice unmarshalling handles base64 decoding. if err := json.Unmarshal(body, &m); err != nil { log.Printf("json.Unmarshal: %v", err) http.Error(w, "Bad Request", http.StatusBadRequest) return } name := string(m.Message.Data) if name == "" { name = "World" } log.Printf("Hello %s!", name) } // [END cloudrun_pubsub_handler]