You cannot select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

141 lines
2.6 KiB
Go

2 years ago
package proxy
4 years ago
import (
4 years ago
"encoding/json"
"errors"
4 years ago
"net/http"
"net/url"
4 years ago
4 years ago
uuid "github.com/satori/go.uuid"
4 years ago
)
2 years ago
// flow http request
4 years ago
type Request struct {
Method string
URL *url.URL
Proto string
Header http.Header
Body []byte
4 years ago
raw *http.Request
}
2 years ago
func newRequest(req *http.Request) *Request {
return &Request{
Method: req.Method,
URL: req.URL,
Proto: req.Proto,
Header: req.Header,
raw: req,
}
}
func (r *Request) Raw() *http.Request {
return r.raw
}
4 years ago
func (req *Request) MarshalJSON() ([]byte, error) {
r := make(map[string]interface{})
r["method"] = req.Method
r["url"] = req.URL.String()
r["proto"] = req.Proto
r["header"] = req.Header
return json.Marshal(r)
}
func (req *Request) UnmarshalJSON(data []byte) error {
r := make(map[string]interface{})
err := json.Unmarshal(data, &r)
if err != nil {
return err
}
rawurl, ok := r["url"].(string)
if !ok {
return errors.New("url parse error")
}
u, err := url.Parse(rawurl)
if err != nil {
return err
}
rawheader, ok := r["header"].(map[string]interface{})
if !ok {
return errors.New("rawheader parse error")
}
header := make(map[string][]string)
for k, v := range rawheader {
vals, ok := v.([]interface{})
if !ok {
return errors.New("header parse error")
}
svals := make([]string, 0)
for _, val := range vals {
sval, ok := val.(string)
if !ok {
return errors.New("header parse error")
}
svals = append(svals, sval)
}
header[k] = svals
}
*req = Request{
Method: r["method"].(string),
URL: u,
Proto: r["proto"].(string),
Header: header,
}
return nil
}
2 years ago
// flow http response
4 years ago
type Response struct {
4 years ago
StatusCode int `json:"statusCode"`
Header http.Header `json:"header"`
Body []byte `json:"-"`
4 years ago
decodedBody []byte
decoded bool // decoded reports whether the response was sent compressed but was decoded to decodedBody.
decodedErr error
4 years ago
}
2 years ago
// flow
4 years ago
type Flow struct {
2 years ago
Id uuid.UUID
ConnContext *ConnContext
Request *Request
Response *Response
4 years ago
// https://docs.mitmproxy.org/stable/overview-features/#streaming
// 如果为 true则不缓冲 Request.Body 和 Response.Body且不进入之后的 Addon.Request 和 Addon.Response
Stream bool
4 years ago
2 years ago
done chan struct{}
4 years ago
}
2 years ago
func newFlow() *Flow {
4 years ago
return &Flow{
Id: uuid.NewV4(),
2 years ago
done: make(chan struct{}),
4 years ago
}
4 years ago
}
func (f *Flow) Done() <-chan struct{} {
return f.done
}
2 years ago
func (f *Flow) finish() {
4 years ago
close(f.done)
}
2 years ago
func (f *Flow) MarshalJSON() ([]byte, error) {
j := make(map[string]interface{})
j["id"] = f.Id
j["request"] = f.Request
j["response"] = f.Response
return json.Marshal(j)
}