torrent/bencode/api.go

101 lines
2.3 KiB
Go
Raw Normal View History

2012-06-20 13:21:32 +00:00
package bencode
import "bytes"
import "bufio"
import "reflect"
import "strconv"
// In case if marshaler cannot encode a type in bencode, it will return this
// error. Typical example of such type is float32/float64 which has no bencode
// representation
type MarshalTypeError struct {
Type reflect.Type
}
func (this *MarshalTypeError) Error() string {
return "bencode: unsupported type: " + this.Type.String()
}
// Unmarshal argument must be a non-nil value of some pointer type.
type UnmarshalInvalidArgError struct {
Type reflect.Type
}
func (e *UnmarshalInvalidArgError) Error() string {
if e.Type == nil {
return "bencode: Unmarshal(nil)"
}
if e.Type.Kind() != reflect.Ptr {
return "bencode: Unmarshal(non-pointer " + e.Type.String() + ")"
}
return "bencode: Unmarshal(nil " + e.Type.String() + ")"
}
// Unmarshaler spotted a value that was not appropriate for a given specific Go
// value
type UnmarshalTypeError struct {
Value string
Type reflect.Type
}
func (e *UnmarshalTypeError) Error() string {
return "bencode: value (" + e.Value + ") is not appropriate for type: " +
e.Type.String()
}
// Unmarshaler tried to write to an unexported (therefore unwritable) field.
type UnmarshalFieldError struct {
Key string
Type reflect.Type
Field reflect.StructField
}
func (e *UnmarshalFieldError) Error() string {
return "bencode: key \"" + e.Key + "\" led to an unexported field \"" +
e.Field.Name + "\" in type: " + e.Type.String()
}
type SyntaxError struct {
Offset int64 // location of the error
what string // error description
}
func (e *SyntaxError) Error() string {
return "bencode: syntax error (offset: " +
strconv.FormatInt(e.Offset, 10) +
"): " + e.what
}
func Marshal(v interface{}) ([]byte, error) {
var buf bytes.Buffer
e := encoder{Writer: bufio.NewWriter(&buf)}
err := e.encode(v)
if err != nil {
return nil, err
}
err = e.Flush()
return buf.Bytes(), err
}
type Marshaler interface {
MarshalBencode() ([]byte, error)
}
func Unmarshal(data []byte, v interface{}) error {
e := decoder{Reader: bufio.NewReader(bytes.NewBuffer(data))}
return e.decode(v)
}
/*
func Unmarshal(data []byte, v interface{}) error
type Decoder int
func NewDecoder(r io.Reader) *Decoder
func (dec *Decoder) Decode(v interface{}) error
type Encoder int
func NewEncoder(w io.Writer) *Encoder
func (enc *Encoder) Encode(v interface{}) error
*/