ntfy/server/server_matrix.go

102 lines
2.6 KiB
Go
Raw Normal View History

2022-06-16 08:03:12 +12:00
package server
import (
"bytes"
2022-06-16 08:03:12 +12:00
"encoding/json"
"fmt"
2022-06-16 08:03:12 +12:00
"heckel.io/ntfy/log"
"heckel.io/ntfy/util"
2022-06-16 08:03:12 +12:00
"io"
"net/http"
"strings"
2022-06-16 08:03:12 +12:00
)
const (
matrixPushKeyHeader = "X-Matrix-Pushkey"
2022-06-16 08:03:12 +12:00
)
type matrixMessage struct {
Notification *matrixNotification `json:"notification"`
}
type matrixNotification struct {
Devices []*matrixDevice `json:"devices"`
}
type matrixDevice struct {
PushKey string `json:"pushkey"`
}
type matrixResponse struct {
Rejected []string `json:"rejected"`
}
type errMatrix struct {
pushKey string
err error
}
func (e errMatrix) Error() string {
if e.err != nil {
return fmt.Sprintf("message with push key %s rejected: %s", e.pushKey, e.err.Error())
}
return fmt.Sprintf("message with push key %s rejected", e.pushKey)
}
func newRequestFromMatrixJSON(r *http.Request, baseURL string, messageLimit int) (*http.Request, error) {
if baseURL == "" {
return nil, errHTTPInternalErrorMissingBaseURL
}
body, err := util.Peek(r.Body, messageLimit)
if err != nil {
return nil, err
}
defer r.Body.Close()
var m matrixMessage
if err := json.NewDecoder(body).Decode(&m); err != nil {
return nil, errHTTPBadRequestMatrixMessageInvalid
} else if m.Notification == nil || len(m.Notification.Devices) == 0 || m.Notification.Devices[0].PushKey == "" {
return nil, errHTTPBadRequestMatrixMessageInvalid
}
pushKey := m.Notification.Devices[0].PushKey
if !strings.HasPrefix(pushKey, baseURL+"/") {
return nil, &errMatrix{pushKey: pushKey, err: errHTTPBadRequestMatrixPushkeyBaseURLMismatch}
}
newRequest, err := http.NewRequest(http.MethodPost, pushKey, io.NopCloser(bytes.NewReader(body.PeekedBytes)))
if err != nil {
return nil, &errMatrix{pushKey: pushKey, err: err}
}
newRequest.Header.Set(matrixPushKeyHeader, pushKey)
return newRequest, nil
}
2022-06-16 08:03:12 +12:00
func handleMatrixDiscovery(w http.ResponseWriter) error {
w.Header().Set("Content-Type", "application/json")
_, err := io.WriteString(w, `{"unifiedpush":{"gateway":"matrix"}}`+"\n")
return err
}
func writeMatrixError(w http.ResponseWriter, r *http.Request, v *visitor, err *errMatrix) error {
log.Debug("%s Matrix gateway error: %s", logHTTPPrefix(v, r), err.Error())
return writeMatrixResponse(w, err.pushKey)
2022-06-16 08:03:12 +12:00
}
func writeMatrixSuccess(w http.ResponseWriter) error {
return writeMatrixResponse(w, "")
}
func writeMatrixResponse(w http.ResponseWriter, rejectedPushKey string) error {
rejected := make([]string, 0)
if rejectedPushKey != "" {
rejected = append(rejected, rejectedPushKey)
}
2022-06-16 08:03:12 +12:00
response := &matrixResponse{
Rejected: rejected,
2022-06-16 08:03:12 +12:00
}
w.Header().Set("Content-Type", "application/json")
2022-06-16 08:03:12 +12:00
if err := json.NewEncoder(w).Encode(response); err != nil {
return err
}
return nil
}