318 lines
7.3 KiB
Go
318 lines
7.3 KiB
Go
package openweathermap
|
|
|
|
import (
|
|
"encoding/json"
|
|
"fmt"
|
|
"io"
|
|
"mime"
|
|
"net/http"
|
|
"net/url"
|
|
"strconv"
|
|
"strings"
|
|
"sync"
|
|
"time"
|
|
|
|
"github.com/influxdata/telegraf"
|
|
"github.com/influxdata/telegraf/internal"
|
|
"github.com/influxdata/telegraf/plugins/inputs"
|
|
)
|
|
|
|
const (
|
|
// https://openweathermap.org/current#severalid
|
|
// Call for several city IDs
|
|
// The limit of locations is 20.
|
|
owmRequestSeveralCityId int = 20
|
|
|
|
defaultBaseURL = "https://api.openweathermap.org/"
|
|
defaultResponseTimeout time.Duration = time.Second * 5
|
|
defaultUnits string = "metric"
|
|
)
|
|
|
|
type OpenWeatherMap struct {
|
|
AppId string `toml:"app_id"`
|
|
CityId []string `toml:"city_id"`
|
|
Fetch []string `toml:"fetch"`
|
|
BaseUrl string `toml:"base_url"`
|
|
ResponseTimeout internal.Duration `toml:"response_timeout"`
|
|
Units string `toml:"units"`
|
|
|
|
client *http.Client
|
|
}
|
|
|
|
var sampleConfig = `
|
|
## OpenWeatherMap API key.
|
|
app_id = "xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"
|
|
|
|
## City ID's to collect weather data from.
|
|
city_id = ["5391959"]
|
|
|
|
## APIs to fetch; can contain "weather" or "forecast".
|
|
fetch = ["weather", "forecast"]
|
|
|
|
## OpenWeatherMap base URL
|
|
# base_url = "https://api.openweathermap.org/"
|
|
|
|
## Timeout for HTTP response.
|
|
# response_timeout = "5s"
|
|
|
|
## Preferred unit system for temperature and wind speed. Can be one of
|
|
## "metric", "imperial", or "standard".
|
|
# units = "metric"
|
|
|
|
## Query interval; OpenWeatherMap updates their weather data every 10
|
|
## minutes.
|
|
interval = "10m"
|
|
`
|
|
|
|
func (n *OpenWeatherMap) SampleConfig() string {
|
|
return sampleConfig
|
|
}
|
|
|
|
func (n *OpenWeatherMap) Description() string {
|
|
return "Read current weather and forecasts data from openweathermap.org"
|
|
}
|
|
|
|
func (n *OpenWeatherMap) Gather(acc telegraf.Accumulator) error {
|
|
var wg sync.WaitGroup
|
|
var strs []string
|
|
|
|
base, err := url.Parse(n.BaseUrl)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
// Create an HTTP client that is re-used for each
|
|
// collection interval
|
|
if n.client == nil {
|
|
client, err := n.createHttpClient()
|
|
if err != nil {
|
|
return err
|
|
}
|
|
n.client = client
|
|
}
|
|
|
|
units := n.Units
|
|
switch n.Units {
|
|
case "imperial", "standard":
|
|
break
|
|
default:
|
|
units = defaultUnits
|
|
}
|
|
|
|
for _, fetch := range n.Fetch {
|
|
if fetch == "forecast" {
|
|
var u *url.URL
|
|
|
|
for _, city := range n.CityId {
|
|
u, err = url.Parse(fmt.Sprintf("/data/2.5/forecast?id=%s&APPID=%s&units=%s", city, n.AppId, units))
|
|
if err != nil {
|
|
acc.AddError(fmt.Errorf("unable to parse address '%s': %s", u, err))
|
|
continue
|
|
}
|
|
|
|
addr := base.ResolveReference(u).String()
|
|
wg.Add(1)
|
|
go func() {
|
|
defer wg.Done()
|
|
status, err := n.gatherUrl(addr)
|
|
if err != nil {
|
|
acc.AddError(err)
|
|
return
|
|
}
|
|
|
|
gatherForecast(acc, status)
|
|
}()
|
|
}
|
|
} else if fetch == "weather" {
|
|
j := 0
|
|
for j < len(n.CityId) {
|
|
var u *url.URL
|
|
strs = make([]string, 0)
|
|
for i := 0; j < len(n.CityId) && i < owmRequestSeveralCityId; i++ {
|
|
strs = append(strs, n.CityId[j])
|
|
j++
|
|
}
|
|
cities := strings.Join(strs, ",")
|
|
|
|
u, err = url.Parse(fmt.Sprintf("/data/2.5/group?id=%s&APPID=%s&units=%s", cities, n.AppId, units))
|
|
if err != nil {
|
|
acc.AddError(fmt.Errorf("Unable to parse address '%s': %s", u, err))
|
|
continue
|
|
}
|
|
|
|
addr := base.ResolveReference(u).String()
|
|
wg.Add(1)
|
|
go func() {
|
|
defer wg.Done()
|
|
status, err := n.gatherUrl(addr)
|
|
if err != nil {
|
|
acc.AddError(err)
|
|
return
|
|
}
|
|
|
|
gatherWeather(acc, status)
|
|
}()
|
|
}
|
|
|
|
}
|
|
}
|
|
|
|
wg.Wait()
|
|
return nil
|
|
}
|
|
|
|
func (n *OpenWeatherMap) createHttpClient() (*http.Client, error) {
|
|
if n.ResponseTimeout.Duration < time.Second {
|
|
n.ResponseTimeout.Duration = defaultResponseTimeout
|
|
}
|
|
|
|
client := &http.Client{
|
|
Transport: &http.Transport{},
|
|
Timeout: n.ResponseTimeout.Duration,
|
|
}
|
|
|
|
return client, nil
|
|
}
|
|
|
|
func (n *OpenWeatherMap) gatherUrl(addr string) (*Status, error) {
|
|
resp, err := n.client.Get(addr)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("error making HTTP request to %s: %s", addr, err)
|
|
}
|
|
defer resp.Body.Close()
|
|
|
|
if resp.StatusCode != http.StatusOK {
|
|
return nil, fmt.Errorf("%s returned HTTP status %s", addr, resp.Status)
|
|
}
|
|
|
|
mediaType, _, err := mime.ParseMediaType(resp.Header.Get("Content-Type"))
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
if mediaType != "application/json" {
|
|
return nil, fmt.Errorf("%s returned unexpected content type %s", addr, mediaType)
|
|
}
|
|
|
|
return gatherWeatherUrl(resp.Body)
|
|
}
|
|
|
|
type WeatherEntry struct {
|
|
Dt int64 `json:"dt"`
|
|
Clouds struct {
|
|
All int64 `json:"all"`
|
|
} `json:"clouds"`
|
|
Main struct {
|
|
Humidity int64 `json:"humidity"`
|
|
Pressure float64 `json:"pressure"`
|
|
Temp float64 `json:"temp"`
|
|
} `json:"main"`
|
|
Rain struct {
|
|
Rain3 float64 `json:"3h"`
|
|
} `json:"rain"`
|
|
Sys struct {
|
|
Country string `json:"country"`
|
|
Sunrise int64 `json:"sunrise"`
|
|
Sunset int64 `json:"sunset"`
|
|
} `json:"sys"`
|
|
Wind struct {
|
|
Deg float64 `json:"deg"`
|
|
Speed float64 `json:"speed"`
|
|
} `json:"wind"`
|
|
Id int64 `json:"id"`
|
|
Name string `json:"name"`
|
|
Coord struct {
|
|
Lat float64 `json:"lat"`
|
|
Lon float64 `json:"lon"`
|
|
} `json:"coord"`
|
|
Visibility int64 `json:"visibility"`
|
|
}
|
|
|
|
type Status struct {
|
|
City struct {
|
|
Coord struct {
|
|
Lat float64 `json:"lat"`
|
|
Lon float64 `json:"lon"`
|
|
} `json:"coord"`
|
|
Country string `json:"country"`
|
|
Id int64 `json:"id"`
|
|
Name string `json:"name"`
|
|
} `json:"city"`
|
|
List []WeatherEntry `json:"list"`
|
|
}
|
|
|
|
func gatherWeatherUrl(r io.Reader) (*Status, error) {
|
|
dec := json.NewDecoder(r)
|
|
status := &Status{}
|
|
if err := dec.Decode(status); err != nil {
|
|
return nil, fmt.Errorf("error while decoding JSON response: %s", err)
|
|
}
|
|
return status, nil
|
|
}
|
|
|
|
func gatherWeather(acc telegraf.Accumulator, status *Status) {
|
|
for _, e := range status.List {
|
|
tm := time.Unix(e.Dt, 0)
|
|
acc.AddFields(
|
|
"weather",
|
|
map[string]interface{}{
|
|
"cloudiness": e.Clouds.All,
|
|
"humidity": e.Main.Humidity,
|
|
"pressure": e.Main.Pressure,
|
|
"rain": e.Rain.Rain3,
|
|
"sunrise": time.Unix(e.Sys.Sunrise, 0).UnixNano(),
|
|
"sunset": time.Unix(e.Sys.Sunset, 0).UnixNano(),
|
|
"temperature": e.Main.Temp,
|
|
"visibility": e.Visibility,
|
|
"wind_degrees": e.Wind.Deg,
|
|
"wind_speed": e.Wind.Speed,
|
|
},
|
|
map[string]string{
|
|
"city": e.Name,
|
|
"city_id": strconv.FormatInt(e.Id, 10),
|
|
"country": e.Sys.Country,
|
|
"forecast": "*",
|
|
},
|
|
tm)
|
|
}
|
|
}
|
|
|
|
func gatherForecast(acc telegraf.Accumulator, status *Status) {
|
|
tags := map[string]string{
|
|
"city_id": strconv.FormatInt(status.City.Id, 10),
|
|
"forecast": "*",
|
|
"city": status.City.Name,
|
|
"country": status.City.Country,
|
|
}
|
|
for i, e := range status.List {
|
|
tm := time.Unix(e.Dt, 0)
|
|
tags["forecast"] = fmt.Sprintf("%dh", (i+1)*3)
|
|
acc.AddFields(
|
|
"weather",
|
|
map[string]interface{}{
|
|
"cloudiness": e.Clouds.All,
|
|
"humidity": e.Main.Humidity,
|
|
"pressure": e.Main.Pressure,
|
|
"rain": e.Rain.Rain3,
|
|
"temperature": e.Main.Temp,
|
|
"wind_degrees": e.Wind.Deg,
|
|
"wind_speed": e.Wind.Speed,
|
|
},
|
|
tags,
|
|
tm)
|
|
}
|
|
}
|
|
|
|
func init() {
|
|
inputs.Add("openweathermap", func() telegraf.Input {
|
|
tmout := internal.Duration{
|
|
Duration: defaultResponseTimeout,
|
|
}
|
|
return &OpenWeatherMap{
|
|
ResponseTimeout: tmout,
|
|
Units: defaultUnits,
|
|
BaseUrl: defaultBaseURL,
|
|
}
|
|
})
|
|
}
|