go-webdav/internal/client.go

99 lines
2.0 KiB
Go
Raw Normal View History

2020-01-14 17:51:17 +00:00
package internal
import (
"bytes"
2020-01-14 17:51:17 +00:00
"encoding/xml"
"fmt"
"io"
"net/http"
"net/url"
"path"
)
type Client struct {
http *http.Client
endpoint *url.URL
}
func NewClient(c *http.Client, endpoint string) (*Client, error) {
if c == nil {
c = http.DefaultClient
}
u, err := url.Parse(endpoint)
if err != nil {
return nil, err
}
return &Client{c, u}, nil
}
2020-01-14 20:43:09 +00:00
func (c *Client) NewRequest(method string, href string, body io.Reader) (*http.Request, error) {
2020-01-14 17:51:17 +00:00
u := url.URL{
Scheme: c.endpoint.Scheme,
User: c.endpoint.User,
Host: c.endpoint.Host,
2020-01-14 20:43:09 +00:00
Path: path.Join(c.endpoint.Path, href),
2020-01-14 17:51:17 +00:00
}
return http.NewRequest(method, u.String(), body)
}
2020-01-14 20:43:09 +00:00
func (c *Client) NewXMLRequest(method string, href string, v interface{}) (*http.Request, error) {
var buf bytes.Buffer
buf.WriteString(xml.Header)
if err := xml.NewEncoder(&buf).Encode(v); err != nil {
return nil, err
}
2020-01-14 20:43:09 +00:00
req, err := c.NewRequest(method, href, &buf)
if err != nil {
return nil, err
}
req.Header.Add("Content-Type", "text/xml; charset=\"utf-8\"")
return req, nil
}
2020-01-14 17:51:17 +00:00
func (c *Client) Do(req *http.Request) (*http.Response, error) {
// TODO: remove this quirk
2020-01-14 22:13:23 +00:00
req.SetBasicAuth("emersion", "")
2020-01-14 17:51:17 +00:00
return c.http.Do(req)
}
func (c *Client) DoMultiStatus(req *http.Request) (*Multistatus, error) {
2020-01-14 17:51:17 +00:00
resp, err := c.Do(req)
if err != nil {
return nil, err
}
defer resp.Body.Close()
if resp.StatusCode != http.StatusMultiStatus {
return nil, fmt.Errorf("HTTP multi-status request failed: %v", resp.Status)
}
// TODO: the response can be quite large, support streaming Response elements
var ms Multistatus
2020-01-14 17:51:17 +00:00
if err := xml.NewDecoder(resp.Body).Decode(&ms); err != nil {
return nil, err
}
return &ms, nil
2020-01-14 17:51:17 +00:00
}
2020-01-14 20:43:09 +00:00
// PropfindFlat performs a PROPFIND request with a zero depth.
func (c *Client) PropfindFlat(href string, propfind *Propfind) (*Response, error) {
req, err := c.NewXMLRequest("PROPFIND", href, propfind)
if err != nil {
return nil, err
}
req.Header.Add("Depth", "0")
ms, err := c.DoMultiStatus(req)
if err != nil {
return nil, err
}
return ms.Get(href)
}