| // Copyright 2020 The Go Authors. All rights reserved. |
| // Use of this source code is governed by a BSD-style |
| // license that can be found in the LICENSE file. |
| |
| // Package dynconfig supports dynamic configuration for pkgsite services. |
| // Dynamic configuration is read from a file and can change over the lifetime of |
| // the process. |
| package dynconfig |
| |
| import ( |
| "context" |
| "errors" |
| "fmt" |
| "io" |
| "io/ioutil" |
| "log" |
| "os" |
| "strings" |
| |
| "cloud.google.com/go/storage" |
| "github.com/ghodss/yaml" |
| ) |
| |
| // DynamicConfig holds configuration that can change over the lifetime of the |
| // process. It is loaded from a GCS file or other external source. |
| type DynamicConfig struct { |
| // Fields can be added at any time, but removing or changing a field |
| // requires careful coordination with the config file contents. |
| RedirectBadges bool |
| RedirectHomepage bool |
| RedirectSearch bool |
| RedirectStdlib bool |
| |
| RedirectPaths []string |
| RedirectRollout uint |
| } |
| |
| // Read reads dynamic configuration from the given location. |
| // Location may be of the form gs://bucket/object, denoting a GCS bucket. |
| // Otherwise it is interpreted as a filename. |
| func Read(ctx context.Context, location string) (_ *DynamicConfig, err error) { |
| defer wrap(&err, "dynconfig.Read(%q)", location) |
| |
| log.Printf("reading dynamic config from %s", location) |
| var r io.ReadCloser |
| if strings.HasPrefix(location, "gs://") { |
| parts := strings.SplitN(location[5:], "/", 2) |
| if len(parts) != 2 { |
| return nil, errors.New("bad GCS URL") |
| } |
| bucket := parts[0] |
| object := parts[1] |
| if err != nil { |
| return nil, err |
| } |
| client, err := storage.NewClient(ctx) |
| if err != nil { |
| return nil, err |
| } |
| defer client.Close() |
| r, err = client.Bucket(bucket).Object(object).NewReader(ctx) |
| if err != nil { |
| return nil, err |
| } |
| } else { |
| r, err = os.Open(location) |
| if err != nil { |
| return nil, err |
| } |
| } |
| defer r.Close() |
| data, err := ioutil.ReadAll(r) |
| if err != nil { |
| return nil, err |
| } |
| return Parse(data) |
| } |
| |
| // Parse parses yamlData as a YAML description of DynamicConfig. |
| func Parse(yamlData []byte) (_ *DynamicConfig, err error) { |
| defer wrap(&err, "dynconfig.Parse(data)") |
| |
| var dc DynamicConfig |
| if err := yaml.Unmarshal(yamlData, &dc); err != nil { |
| return nil, err |
| } |
| return &dc, nil |
| } |
| |
| func wrap(errp *error, format string, args ...interface{}) { |
| if *errp != nil { |
| *errp = fmt.Errorf("%s: %w", fmt.Sprintf(format, args...), *errp) |
| } |
| } |