github.com/makyo/juju@v0.0.0-20160425123129-2608902037e9/api/http.go (about)

     1  // Copyright 2014 Canonical Ltd.
     2  // Licensed under the AGPLv3, see LICENCE file for details.
     3  
     4  package api
     5  
     6  import (
     7  	"bytes"
     8  	"encoding/base64"
     9  	"encoding/json"
    10  	"io"
    11  	"net/http"
    12  	"net/url"
    13  
    14  	"github.com/juju/errors"
    15  	"github.com/juju/httprequest"
    16  	"gopkg.in/macaroon-bakery.v1/httpbakery"
    17  	"gopkg.in/macaroon.v1"
    18  
    19  	"github.com/juju/juju/apiserver/params"
    20  )
    21  
    22  // HTTPClient implements Connection.APICaller.HTTPClient and returns an HTTP
    23  // client pointing to the API server "/model/:uuid/" path.
    24  func (s *state) HTTPClient() (*httprequest.Client, error) {
    25  	baseURL, err := s.apiEndpoint("/", "")
    26  	if err != nil {
    27  		return nil, errors.Trace(err)
    28  	}
    29  	return s.httpClient(baseURL)
    30  }
    31  
    32  // HTTPClient implements Connection.APICaller.HTTPClient and returns an HTTP
    33  // client pointing to the API server root path.
    34  func (s *state) RootHTTPClient() (*httprequest.Client, error) {
    35  	return s.httpClient(&url.URL{
    36  		Scheme: s.serverScheme,
    37  		Host:   s.Addr(),
    38  	})
    39  }
    40  
    41  func (s *state) httpClient(baseURL *url.URL) (*httprequest.Client, error) {
    42  	if !s.isLoggedIn() {
    43  		return nil, errors.New("no HTTP client available without logging in")
    44  	}
    45  	return &httprequest.Client{
    46  		BaseURL: baseURL.String(),
    47  		Doer: httpRequestDoer{
    48  			st: s,
    49  		},
    50  		UnmarshalError: unmarshalHTTPErrorResponse,
    51  	}, nil
    52  }
    53  
    54  // httpRequestDoer implements httprequest.Doer and httprequest.DoerWithBody
    55  // by using httpbakery and the state to make authenticated requests to
    56  // the API server.
    57  type httpRequestDoer struct {
    58  	st *state
    59  }
    60  
    61  var _ httprequest.Doer = httpRequestDoer{}
    62  
    63  var _ httprequest.DoerWithBody = httpRequestDoer{}
    64  
    65  // Do implements httprequest.Doer.Do.
    66  func (doer httpRequestDoer) Do(req *http.Request) (*http.Response, error) {
    67  	return doer.DoWithBody(req, nil)
    68  }
    69  
    70  // DoWithBody implements httprequest.DoerWithBody.DoWithBody.
    71  func (doer httpRequestDoer) DoWithBody(req *http.Request, body io.ReadSeeker) (*http.Response, error) {
    72  	// Add basic auth if appropriate
    73  	// Call doer.bakeryClient.DoWithBodyAndCustomError
    74  	if doer.st.tag != "" {
    75  		// Note that password may be empty here; we still
    76  		// want to pass the tag along. An empty password
    77  		// indicates that we're using macaroon authentication.
    78  		req.SetBasicAuth(doer.st.tag, doer.st.password)
    79  	}
    80  	// Add any explicitly-specified macaroons.
    81  	for _, ms := range doer.st.macaroons {
    82  		encoded, err := encodeMacaroonSlice(ms)
    83  		if err != nil {
    84  			return nil, errors.Trace(err)
    85  		}
    86  		req.Header.Add(httpbakery.MacaroonsHeader, encoded)
    87  	}
    88  	return doer.st.bakeryClient.DoWithBodyAndCustomError(req, body, func(resp *http.Response) error {
    89  		// At this point we are only interested in errors that
    90  		// the bakery cares about, and the CodeDischargeRequired
    91  		// error is the only one, and that always comes with a
    92  		// response code StatusUnauthorized.
    93  		if resp.StatusCode != http.StatusUnauthorized {
    94  			return nil
    95  		}
    96  		return bakeryError(unmarshalHTTPErrorResponse(resp))
    97  	})
    98  }
    99  
   100  // encodeMacaroonSlice base64-JSON-encodes a slice of macaroons.
   101  func encodeMacaroonSlice(ms macaroon.Slice) (string, error) {
   102  	data, err := json.Marshal(ms)
   103  	if err != nil {
   104  		return "", errors.Trace(err)
   105  	}
   106  	return base64.StdEncoding.EncodeToString(data), nil
   107  }
   108  
   109  // unmarshalHTTPErrorResponse unmarshals an error response from
   110  // an HTTP endpoint. For historical reasons, these endpoints
   111  // return several different incompatible error response formats.
   112  // We cope with this by accepting all of the possible formats
   113  // and unmarshaling accordingly.
   114  //
   115  // It always returns a non-nil error.
   116  func unmarshalHTTPErrorResponse(resp *http.Response) error {
   117  	var body json.RawMessage
   118  	if err := httprequest.UnmarshalJSONResponse(resp, &body); err != nil {
   119  		return errors.Trace(err)
   120  	}
   121  	// genericErrorResponse defines a struct that is compatible with all the
   122  	// known error types, so that we can know which of the
   123  	// possible error types has been returned.
   124  	//
   125  	// Another possible approach might be to look at resp.Request.URL.Path
   126  	// and determine the expected error type from that, but that
   127  	// seems more fragile than this approach.
   128  	type genericErrorResponse struct {
   129  		Error json.RawMessage
   130  	}
   131  	var generic genericErrorResponse
   132  	if err := json.Unmarshal(body, &generic); err != nil {
   133  		return errors.Annotatef(err, "incompatible error response")
   134  	}
   135  	if bytes.HasPrefix(generic.Error, []byte(`"`)) {
   136  		// The error message is in a string, which means that
   137  		// the error must be in a params.CharmsResponse
   138  		var resp params.CharmsResponse
   139  		if err := json.Unmarshal(body, &resp); err != nil {
   140  			return errors.Annotatef(err, "incompatible error response")
   141  		}
   142  		return &params.Error{
   143  			Message: resp.Error,
   144  			Code:    resp.ErrorCode,
   145  			Info:    resp.ErrorInfo,
   146  		}
   147  	}
   148  	var errorBody []byte
   149  	if len(generic.Error) > 0 {
   150  		// We have an Error field, therefore the error must be in that.
   151  		// (it's a params.ErrorResponse)
   152  		errorBody = generic.Error
   153  	} else {
   154  		// There wasn't an Error field, so the error must be directly
   155  		// in the body of the response.
   156  		errorBody = body
   157  	}
   158  	var perr params.Error
   159  	if err := json.Unmarshal(errorBody, &perr); err != nil {
   160  		return errors.Annotatef(err, "incompatible error response")
   161  	}
   162  	if perr.Message == "" {
   163  		return errors.Errorf("error response with no message")
   164  	}
   165  	return &perr
   166  }
   167  
   168  // bakeryError translates any discharge-required error into
   169  // an error value that the httpbakery package will recognize.
   170  // Other errors are returned unchanged.
   171  func bakeryError(err error) error {
   172  	if params.ErrCode(err) != params.CodeDischargeRequired {
   173  		return err
   174  	}
   175  	errResp := errors.Cause(err).(*params.Error)
   176  	if errResp.Info == nil {
   177  		return errors.Annotatef(err, "no error info found in discharge-required response error")
   178  	}
   179  	// It's a discharge-required error, so make an appropriate httpbakery
   180  	// error from it.
   181  	return &httpbakery.Error{
   182  		Message: err.Error(),
   183  		Code:    httpbakery.ErrDischargeRequired,
   184  		Info: &httpbakery.ErrorInfo{
   185  			Macaroon:     errResp.Info.Macaroon,
   186  			MacaroonPath: errResp.Info.MacaroonPath,
   187  		},
   188  	}
   189  }