Skip to content
GitLab
Menu
Projects
Groups
Snippets
Loading...
Help
Help
Support
Community forum
Keyboard shortcuts
?
Submit feedback
Sign in / Register
Toggle navigation
Menu
Open sidebar
adam.huang
go-libp2p
Commits
d91b419e
Commit
d91b419e
authored
Dec 06, 2015
by
Jeromy
Browse files
WIP
parent
a40ef343
Changes
365
Hide whitespace changes
Inline
Side-by-side
Too many changes to show.
To preserve performance only
365 of 365+
files are displayed.
Plain diff
Email patch
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/goupnp.go
deleted
100644 → 0
View file @
a40ef343
// goupnp is an implementation of a client for various UPnP services.
//
// For most uses, it is recommended to use the code-generated packages under
// github.com/huin/goupnp/dcps. Example use is shown at
// http://godoc.org/github.com/huin/goupnp/example
//
// A commonly used client is internetgateway1.WANPPPConnection1:
// http://godoc.org/github.com/huin/goupnp/dcps/internetgateway1#WANPPPConnection1
//
// Currently only a couple of schemas have code generated for them from the
// UPnP example XML specifications. Not all methods will work on these clients,
// because the generated stubs contain the full set of specified methods from
// the XML specifications, and the discovered services will likely support a
// subset of those methods.
package
goupnp
import
(
"encoding/xml"
"fmt"
"net/http"
"net/url"
"time"
"gx/Qmbm2LFhcRyHzRqwefzBeazcK2EfUowfeYEAgEvr7N8hAh/go-net/html/charset"
"gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/httpu"
"gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/ssdp"
)
// ContextError is an error that wraps an error with some context information.
type
ContextError
struct
{
Context
string
Err
error
}
func
(
err
ContextError
)
Error
()
string
{
return
fmt
.
Sprintf
(
"%s: %v"
,
err
.
Context
,
err
.
Err
)
}
// MaybeRootDevice contains either a RootDevice or an error.
type
MaybeRootDevice
struct
{
// Set iff Err == nil.
Root
*
RootDevice
// The location the device was discovered at. This can be used with
// DeviceByURL, assuming the device is still present. A location represents
// the discovery of a device, regardless of if there was an error probing it.
Location
*
url
.
URL
// Any error encountered probing a discovered device.
Err
error
}
// DiscoverDevices attempts to find targets of the given type. This is
// typically the entry-point for this package. searchTarget is typically a URN
// in the form "urn:schemas-upnp-org:device:..." or
// "urn:schemas-upnp-org:service:...". A single error is returned for errors
// while attempting to send the query. An error or RootDevice is returned for
// each discovered RootDevice.
func
DiscoverDevices
(
searchTarget
string
)
([]
MaybeRootDevice
,
error
)
{
httpu
,
err
:=
httpu
.
NewHTTPUClient
()
if
err
!=
nil
{
return
nil
,
err
}
defer
httpu
.
Close
()
responses
,
err
:=
ssdp
.
SSDPRawSearch
(
httpu
,
string
(
searchTarget
),
2
,
3
)
if
err
!=
nil
{
return
nil
,
err
}
results
:=
make
([]
MaybeRootDevice
,
len
(
responses
))
for
i
,
response
:=
range
responses
{
maybe
:=
&
results
[
i
]
loc
,
err
:=
response
.
Location
()
if
err
!=
nil
{
maybe
.
Err
=
ContextError
{
"unexpected bad location from search"
,
err
}
continue
}
maybe
.
Location
=
loc
if
root
,
err
:=
DeviceByURL
(
loc
);
err
!=
nil
{
maybe
.
Err
=
err
}
else
{
maybe
.
Root
=
root
}
}
return
results
,
nil
}
func
DeviceByURL
(
loc
*
url
.
URL
)
(
*
RootDevice
,
error
)
{
locStr
:=
loc
.
String
()
root
:=
new
(
RootDevice
)
if
err
:=
requestXml
(
locStr
,
DeviceXMLNamespace
,
root
);
err
!=
nil
{
return
nil
,
ContextError
{
fmt
.
Sprintf
(
"error requesting root device details from %q"
,
locStr
),
err
}
}
var
urlBaseStr
string
if
root
.
URLBaseStr
!=
""
{
urlBaseStr
=
root
.
URLBaseStr
}
else
{
urlBaseStr
=
locStr
}
urlBase
,
err
:=
url
.
Parse
(
urlBaseStr
)
if
err
!=
nil
{
return
nil
,
ContextError
{
fmt
.
Sprintf
(
"error parsing location URL %q"
,
locStr
),
err
}
}
root
.
SetURLBase
(
urlBase
)
return
root
,
nil
}
func
requestXml
(
url
string
,
defaultSpace
string
,
doc
interface
{})
error
{
timeout
:=
time
.
Duration
(
3
*
time
.
Second
)
client
:=
http
.
Client
{
Timeout
:
timeout
,
}
resp
,
err
:=
client
.
Get
(
url
)
if
err
!=
nil
{
return
err
}
defer
resp
.
Body
.
Close
()
if
resp
.
StatusCode
!=
200
{
return
fmt
.
Errorf
(
"goupnp: got response status %s from %q"
,
resp
.
Status
,
url
)
}
decoder
:=
xml
.
NewDecoder
(
resp
.
Body
)
decoder
.
DefaultSpace
=
defaultSpace
decoder
.
CharsetReader
=
charset
.
NewReaderLabel
return
decoder
.
Decode
(
doc
)
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/httpu/httpu.go
deleted
100644 → 0
View file @
a40ef343
package
httpu
import
(
"bufio"
"bytes"
"fmt"
"log"
"net"
"net/http"
"sync"
"time"
)
// HTTPUClient is a client for dealing with HTTPU (HTTP over UDP). Its typical
// function is for HTTPMU, and particularly SSDP.
type
HTTPUClient
struct
{
connLock
sync
.
Mutex
// Protects use of conn.
conn
net
.
PacketConn
}
// NewHTTPUClient creates a new HTTPUClient, opening up a new UDP socket for the
// purpose.
func
NewHTTPUClient
()
(
*
HTTPUClient
,
error
)
{
conn
,
err
:=
net
.
ListenPacket
(
"udp"
,
":0"
)
if
err
!=
nil
{
return
nil
,
err
}
return
&
HTTPUClient
{
conn
:
conn
},
nil
}
// Close shuts down the client. The client will no longer be useful following
// this.
func
(
httpu
*
HTTPUClient
)
Close
()
error
{
httpu
.
connLock
.
Lock
()
defer
httpu
.
connLock
.
Unlock
()
return
httpu
.
conn
.
Close
()
}
// Do performs a request. The timeout is how long to wait for before returning
// the responses that were received. An error is only returned for failing to
// send the request. Failures in receipt simply do not add to the resulting
// responses.
//
// Note that at present only one concurrent connection will happen per
// HTTPUClient.
func
(
httpu
*
HTTPUClient
)
Do
(
req
*
http
.
Request
,
timeout
time
.
Duration
,
numSends
int
)
([]
*
http
.
Response
,
error
)
{
httpu
.
connLock
.
Lock
()
defer
httpu
.
connLock
.
Unlock
()
// Create the request. This is a subset of what http.Request.Write does
// deliberately to avoid creating extra fields which may confuse some
// devices.
var
requestBuf
bytes
.
Buffer
method
:=
req
.
Method
if
method
==
""
{
method
=
"GET"
}
if
_
,
err
:=
fmt
.
Fprintf
(
&
requestBuf
,
"%s %s HTTP/1.1
\r\n
"
,
method
,
req
.
URL
.
RequestURI
());
err
!=
nil
{
return
nil
,
err
}
if
err
:=
req
.
Header
.
Write
(
&
requestBuf
);
err
!=
nil
{
return
nil
,
err
}
if
_
,
err
:=
requestBuf
.
Write
([]
byte
{
'\r'
,
'\n'
});
err
!=
nil
{
return
nil
,
err
}
destAddr
,
err
:=
net
.
ResolveUDPAddr
(
"udp"
,
req
.
Host
)
if
err
!=
nil
{
return
nil
,
err
}
if
err
=
httpu
.
conn
.
SetDeadline
(
time
.
Now
()
.
Add
(
timeout
));
err
!=
nil
{
return
nil
,
err
}
// Send request.
for
i
:=
0
;
i
<
numSends
;
i
++
{
if
n
,
err
:=
httpu
.
conn
.
WriteTo
(
requestBuf
.
Bytes
(),
destAddr
);
err
!=
nil
{
return
nil
,
err
}
else
if
n
<
len
(
requestBuf
.
Bytes
())
{
return
nil
,
fmt
.
Errorf
(
"httpu: wrote %d bytes rather than full %d in request"
,
n
,
len
(
requestBuf
.
Bytes
()))
}
time
.
Sleep
(
5
*
time
.
Millisecond
)
}
// Await responses until timeout.
var
responses
[]
*
http
.
Response
responseBytes
:=
make
([]
byte
,
2048
)
for
{
// 2048 bytes should be sufficient for most networks.
n
,
_
,
err
:=
httpu
.
conn
.
ReadFrom
(
responseBytes
)
if
err
!=
nil
{
if
err
,
ok
:=
err
.
(
net
.
Error
);
ok
{
if
err
.
Timeout
()
{
break
}
if
err
.
Temporary
()
{
// Sleep in case this is a persistent error to avoid pegging CPU until deadline.
time
.
Sleep
(
10
*
time
.
Millisecond
)
continue
}
}
return
nil
,
err
}
// Parse response.
response
,
err
:=
http
.
ReadResponse
(
bufio
.
NewReader
(
bytes
.
NewBuffer
(
responseBytes
[
:
n
])),
req
)
if
err
!=
nil
{
log
.
Print
(
"httpu: error while parsing response: %v"
,
err
)
continue
}
responses
=
append
(
responses
,
response
)
}
return
responses
,
err
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/httpu/serve.go
deleted
100644 → 0
View file @
a40ef343
package
httpu
import
(
"bufio"
"bytes"
"log"
"net"
"net/http"
"regexp"
)
const
(
DefaultMaxMessageBytes
=
2048
)
var
(
trailingWhitespaceRx
=
regexp
.
MustCompile
(
" +
\r\n
"
)
crlf
=
[]
byte
(
"
\r\n
"
)
)
// Handler is the interface by which received HTTPU messages are passed to
// handling code.
type
Handler
interface
{
// ServeMessage is called for each HTTPU message received. peerAddr contains
// the address that the message was received from.
ServeMessage
(
r
*
http
.
Request
)
}
// HandlerFunc is a function-to-Handler adapter.
type
HandlerFunc
func
(
r
*
http
.
Request
)
func
(
f
HandlerFunc
)
ServeMessage
(
r
*
http
.
Request
)
{
f
(
r
)
}
// A Server defines parameters for running an HTTPU server.
type
Server
struct
{
Addr
string
// UDP address to listen on
Multicast
bool
// Should listen for multicast?
Interface
*
net
.
Interface
// Network interface to listen on for multicast, nil for default multicast interface
Handler
Handler
// handler to invoke
MaxMessageBytes
int
// maximum number of bytes to read from a packet, DefaultMaxMessageBytes if 0
}
// ListenAndServe listens on the UDP network address srv.Addr. If srv.Multicast
// is true, then a multicast UDP listener will be used on srv.Interface (or
// default interface if nil).
func
(
srv
*
Server
)
ListenAndServe
()
error
{
var
err
error
var
addr
*
net
.
UDPAddr
if
addr
,
err
=
net
.
ResolveUDPAddr
(
"udp"
,
srv
.
Addr
);
err
!=
nil
{
log
.
Fatal
(
err
)
}
var
conn
net
.
PacketConn
if
srv
.
Multicast
{
if
conn
,
err
=
net
.
ListenMulticastUDP
(
"udp"
,
srv
.
Interface
,
addr
);
err
!=
nil
{
return
err
}
}
else
{
if
conn
,
err
=
net
.
ListenUDP
(
"udp"
,
addr
);
err
!=
nil
{
return
err
}
}
return
srv
.
Serve
(
conn
)
}
// Serve messages received on the given packet listener to the srv.Handler.
func
(
srv
*
Server
)
Serve
(
l
net
.
PacketConn
)
error
{
maxMessageBytes
:=
DefaultMaxMessageBytes
if
srv
.
MaxMessageBytes
!=
0
{
maxMessageBytes
=
srv
.
MaxMessageBytes
}
for
{
buf
:=
make
([]
byte
,
maxMessageBytes
)
n
,
peerAddr
,
err
:=
l
.
ReadFrom
(
buf
)
if
err
!=
nil
{
return
err
}
buf
=
buf
[
:
n
]
go
func
(
buf
[]
byte
,
peerAddr
net
.
Addr
)
{
// At least one router's UPnP implementation has added a trailing space
// after "HTTP/1.1" - trim it.
buf
=
trailingWhitespaceRx
.
ReplaceAllLiteral
(
buf
,
crlf
)
req
,
err
:=
http
.
ReadRequest
(
bufio
.
NewReader
(
bytes
.
NewBuffer
(
buf
)))
if
err
!=
nil
{
log
.
Printf
(
"httpu: Failed to parse request: %v"
,
err
)
return
}
req
.
RemoteAddr
=
peerAddr
.
String
()
srv
.
Handler
.
ServeMessage
(
req
)
// No need to call req.Body.Close - underlying reader is bytes.Buffer.
}(
buf
,
peerAddr
)
}
}
// Serve messages received on the given packet listener to the given handler.
func
Serve
(
l
net
.
PacketConn
,
handler
Handler
)
error
{
srv
:=
Server
{
Handler
:
handler
,
MaxMessageBytes
:
DefaultMaxMessageBytes
,
}
return
srv
.
Serve
(
l
)
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/package.json
deleted
100644 → 0
View file @
a40ef343
{
"name"
:
"goupnp"
,
"author"
:
"whyrusleeping"
,
"version"
:
"0.0.0"
,
"gxDependencies"
:
[
{
"name"
:
"go-net"
,
"hash"
:
"Qmbm2LFhcRyHzRqwefzBeazcK2EfUowfeYEAgEvr7N8hAh"
,
"version"
:
"0.0.0"
}
],
"language"
:
"go"
,
"issues_url"
:
""
,
"gx"
:
{
"dvcsimport"
:
"github.com/huin/goupnp"
}
}
\ No newline at end of file
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/scpd/scpd.go
deleted
100644 → 0
View file @
a40ef343
package
scpd
import
(
"encoding/xml"
"strings"
)
const
(
SCPDXMLNamespace
=
"urn:schemas-upnp-org:service-1-0"
)
func
cleanWhitespace
(
s
*
string
)
{
*
s
=
strings
.
TrimSpace
(
*
s
)
}
// SCPD is the service description as described by section 2.5 "Service
// description" in
// http://upnp.org/specs/arch/UPnP-arch-DeviceArchitecture-v1.1.pdf
type
SCPD
struct
{
XMLName
xml
.
Name
`xml:"scpd"`
ConfigId
string
`xml:"configId,attr"`
SpecVersion
SpecVersion
`xml:"specVersion"`
Actions
[]
Action
`xml:"actionList>action"`
StateVariables
[]
StateVariable
`xml:"serviceStateTable>stateVariable"`
}
// Clean attempts to remove stray whitespace etc. in the structure. It seems
// unfortunately common for stray whitespace to be present in SCPD documents,
// this method attempts to make it easy to clean them out.
func
(
scpd
*
SCPD
)
Clean
()
{
cleanWhitespace
(
&
scpd
.
ConfigId
)
for
i
:=
range
scpd
.
Actions
{
scpd
.
Actions
[
i
]
.
clean
()
}
for
i
:=
range
scpd
.
StateVariables
{
scpd
.
StateVariables
[
i
]
.
clean
()
}
}
func
(
scpd
*
SCPD
)
GetStateVariable
(
variable
string
)
*
StateVariable
{
for
i
:=
range
scpd
.
StateVariables
{
v
:=
&
scpd
.
StateVariables
[
i
]
if
v
.
Name
==
variable
{
return
v
}
}
return
nil
}
func
(
scpd
*
SCPD
)
GetAction
(
action
string
)
*
Action
{
for
i
:=
range
scpd
.
Actions
{
a
:=
&
scpd
.
Actions
[
i
]
if
a
.
Name
==
action
{
return
a
}
}
return
nil
}
// SpecVersion is part of a SCPD document, describes the version of the
// specification that the data adheres to.
type
SpecVersion
struct
{
Major
int32
`xml:"major"`
Minor
int32
`xml:"minor"`
}
type
Action
struct
{
Name
string
`xml:"name"`
Arguments
[]
Argument
`xml:"argumentList>argument"`
}
func
(
action
*
Action
)
clean
()
{
cleanWhitespace
(
&
action
.
Name
)
for
i
:=
range
action
.
Arguments
{
action
.
Arguments
[
i
]
.
clean
()
}
}
func
(
action
*
Action
)
InputArguments
()
[]
*
Argument
{
var
result
[]
*
Argument
for
i
:=
range
action
.
Arguments
{
arg
:=
&
action
.
Arguments
[
i
]
if
arg
.
IsInput
()
{
result
=
append
(
result
,
arg
)
}
}
return
result
}
func
(
action
*
Action
)
OutputArguments
()
[]
*
Argument
{
var
result
[]
*
Argument
for
i
:=
range
action
.
Arguments
{
arg
:=
&
action
.
Arguments
[
i
]
if
arg
.
IsOutput
()
{
result
=
append
(
result
,
arg
)
}
}
return
result
}
type
Argument
struct
{
Name
string
`xml:"name"`
Direction
string
`xml:"direction"`
// in|out
RelatedStateVariable
string
`xml:"relatedStateVariable"`
// ?
Retval
string
`xml:"retval"`
// ?
}
func
(
arg
*
Argument
)
clean
()
{
cleanWhitespace
(
&
arg
.
Name
)
cleanWhitespace
(
&
arg
.
Direction
)
cleanWhitespace
(
&
arg
.
RelatedStateVariable
)
cleanWhitespace
(
&
arg
.
Retval
)
}
func
(
arg
*
Argument
)
IsInput
()
bool
{
return
arg
.
Direction
==
"in"
}
func
(
arg
*
Argument
)
IsOutput
()
bool
{
return
arg
.
Direction
==
"out"
}
type
StateVariable
struct
{
Name
string
`xml:"name"`
SendEvents
string
`xml:"sendEvents,attr"`
// yes|no
Multicast
string
`xml:"multicast,attr"`
// yes|no
DataType
DataType
`xml:"dataType"`
DefaultValue
string
`xml:"defaultValue"`
AllowedValueRange
*
AllowedValueRange
`xml:"allowedValueRange"`
AllowedValues
[]
string
`xml:"allowedValueList>allowedValue"`
}
func
(
v
*
StateVariable
)
clean
()
{
cleanWhitespace
(
&
v
.
Name
)
cleanWhitespace
(
&
v
.
SendEvents
)
cleanWhitespace
(
&
v
.
Multicast
)
v
.
DataType
.
clean
()
cleanWhitespace
(
&
v
.
DefaultValue
)
if
v
.
AllowedValueRange
!=
nil
{
v
.
AllowedValueRange
.
clean
()
}
for
i
:=
range
v
.
AllowedValues
{
cleanWhitespace
(
&
v
.
AllowedValues
[
i
])
}
}
type
AllowedValueRange
struct
{
Minimum
string
`xml:"minimum"`
Maximum
string
`xml:"maximum"`
Step
string
`xml:"step"`
}
func
(
r
*
AllowedValueRange
)
clean
()
{
cleanWhitespace
(
&
r
.
Minimum
)
cleanWhitespace
(
&
r
.
Maximum
)
cleanWhitespace
(
&
r
.
Step
)
}
type
DataType
struct
{
Name
string
`xml:",chardata"`
Type
string
`xml:"type,attr"`
}
func
(
dt
*
DataType
)
clean
()
{
cleanWhitespace
(
&
dt
.
Name
)
cleanWhitespace
(
&
dt
.
Type
)
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/service_client.go
deleted
100644 → 0
View file @
a40ef343
package
goupnp
import
(
"fmt"
"net/url"
"gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/soap"
)
// ServiceClient is a SOAP client, root device and the service for the SOAP
// client rolled into one value. The root device, location, and service are
// intended to be informational. Location can be used to later recreate a
// ServiceClient with NewServiceClientByURL if the service is still present;
// bypassing the discovery process.
type
ServiceClient
struct
{
SOAPClient
*
soap
.
SOAPClient
RootDevice
*
RootDevice
Location
*
url
.
URL
Service
*
Service
}
// NewServiceClients discovers services, and returns clients for them. err will
// report any error with the discovery process (blocking any device/service
// discovery), errors reports errors on a per-root-device basis.
func
NewServiceClients
(
searchTarget
string
)
(
clients
[]
ServiceClient
,
errors
[]
error
,
err
error
)
{
var
maybeRootDevices
[]
MaybeRootDevice
if
maybeRootDevices
,
err
=
DiscoverDevices
(
searchTarget
);
err
!=
nil
{
return
}
clients
=
make
([]
ServiceClient
,
0
,
len
(
maybeRootDevices
))
for
_
,
maybeRootDevice
:=
range
maybeRootDevices
{
if
maybeRootDevice
.
Err
!=
nil
{
errors
=
append
(
errors
,
maybeRootDevice
.
Err
)
continue
}
deviceClients
,
err
:=
NewServiceClientsFromRootDevice
(
maybeRootDevice
.
Root
,
maybeRootDevice
.
Location
,
searchTarget
)
if
err
!=
nil
{
errors
=
append
(
errors
,
err
)
continue
}
clients
=
append
(
clients
,
deviceClients
...
)
}
return
}
// NewServiceClientsByURL creates client(s) for the given service URN, for a
// root device at the given URL.
func
NewServiceClientsByURL
(
loc
*
url
.
URL
,
searchTarget
string
)
([]
ServiceClient
,
error
)
{
rootDevice
,
err
:=
DeviceByURL
(
loc
)
if
err
!=
nil
{
return
nil
,
err
}
return
NewServiceClientsFromRootDevice
(
rootDevice
,
loc
,
searchTarget
)
}
// NewServiceClientsFromDevice creates client(s) for the given service URN, in
// a given root device. The loc parameter is simply assigned to the
// Location attribute of the returned ServiceClient(s).
func
NewServiceClientsFromRootDevice
(
rootDevice
*
RootDevice
,
loc
*
url
.
URL
,
searchTarget
string
)
([]
ServiceClient
,
error
)
{
device
:=
&
rootDevice
.
Device
srvs
:=
device
.
FindService
(
searchTarget
)
if
len
(
srvs
)
==
0
{
return
nil
,
fmt
.
Errorf
(
"goupnp: service %q not found within device %q (UDN=%q)"
,
searchTarget
,
device
.
FriendlyName
,
device
.
UDN
)
}
clients
:=
make
([]
ServiceClient
,
0
,
len
(
srvs
))
for
_
,
srv
:=
range
srvs
{
clients
=
append
(
clients
,
ServiceClient
{
SOAPClient
:
srv
.
NewSOAPClient
(),
RootDevice
:
rootDevice
,
Location
:
loc
,
Service
:
srv
,
})
}
return
clients
,
nil
}
// GetServiceClient returns the ServiceClient itself. This is provided so that the
// service client attributes can be accessed via an interface method on a
// wrapping type.
func
(
client
*
ServiceClient
)
GetServiceClient
()
*
ServiceClient
{
return
client
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/soap/soap.go
deleted
100644 → 0
View file @
a40ef343
// Definition for the SOAP structure required for UPnP's SOAP usage.
package
soap
import
(
"bytes"
"encoding/xml"
"fmt"
"io/ioutil"
"net/http"
"net/url"
"reflect"
)
const
(
soapEncodingStyle
=
"http://schemas.xmlsoap.org/soap/encoding/"
soapPrefix
=
xml
.
Header
+
`<s:Envelope xmlns:s="http://schemas.xmlsoap.org/soap/envelope/" s:encodingStyle="http://schemas.xmlsoap.org/soap/encoding/"><s:Body>`
soapSuffix
=
`</s:Body></s:Envelope>`
)
type
SOAPClient
struct
{
EndpointURL
url
.
URL
HTTPClient
http
.
Client
}
func
NewSOAPClient
(
endpointURL
url
.
URL
)
*
SOAPClient
{
return
&
SOAPClient
{
EndpointURL
:
endpointURL
,
}
}
// PerformSOAPAction makes a SOAP request, with the given action.
// inAction and outAction must both be pointers to structs with string fields
// only.
func
(
client
*
SOAPClient
)
PerformAction
(
actionNamespace
,
actionName
string
,
inAction
interface
{},
outAction
interface
{})
error
{
requestBytes
,
err
:=
encodeRequestAction
(
actionNamespace
,
actionName
,
inAction
)
if
err
!=
nil
{
return
err
}
response
,
err
:=
client
.
HTTPClient
.
Do
(
&
http
.
Request
{
Method
:
"POST"
,
URL
:
&
client
.
EndpointURL
,
Header
:
http
.
Header
{
"SOAPACTION"
:
[]
string
{
`"`
+
actionNamespace
+
"#"
+
actionName
+
`"`
},
"CONTENT-TYPE"
:
[]
string
{
"text/xml; charset=
\"
utf-8
\"
"
},
},
Body
:
ioutil
.
NopCloser
(
bytes
.
NewBuffer
(
requestBytes
)),
// Set ContentLength to avoid chunked encoding - some servers might not support it.
ContentLength
:
int64
(
len
(
requestBytes
)),
})
if
err
!=
nil
{
return
fmt
.
Errorf
(
"goupnp: error performing SOAP HTTP request: %v"
,
err
)
}
defer
response
.
Body
.
Close
()
if
response
.
StatusCode
!=
200
{
return
fmt
.
Errorf
(
"goupnp: SOAP request got HTTP %s"
,
response
.
Status
)
}
responseEnv
:=
newSOAPEnvelope
()
decoder
:=
xml
.
NewDecoder
(
response
.
Body
)
if
err
:=
decoder
.
Decode
(
responseEnv
);
err
!=
nil
{
return
fmt
.
Errorf
(
"goupnp: error decoding response body: %v"
,
err
)
}
if
responseEnv
.
Body
.
Fault
!=
nil
{
return
responseEnv
.
Body
.
Fault
}
if
outAction
!=
nil
{
if
err
:=
xml
.
Unmarshal
(
responseEnv
.
Body
.
RawAction
,
outAction
);
err
!=
nil
{
return
fmt
.
Errorf
(
"goupnp: error unmarshalling out action: %v, %v"
,
err
,
responseEnv
.
Body
.
RawAction
)
}
}
return
nil
}
// newSOAPAction creates a soapEnvelope with the given action and arguments.
func
newSOAPEnvelope
()
*
soapEnvelope
{
return
&
soapEnvelope
{
EncodingStyle
:
soapEncodingStyle
,
}
}
// encodeRequestAction is a hacky way to create an encoded SOAP envelope
// containing the given action. Experiments with one router have shown that it
// 500s for requests where the outer default xmlns is set to the SOAP
// namespace, and then reassigning the default namespace within that to the
// service namespace. Hand-coding the outer XML to work-around this.
func
encodeRequestAction
(
actionNamespace
,
actionName
string
,
inAction
interface
{})
([]
byte
,
error
)
{
requestBuf
:=
new
(
bytes
.
Buffer
)
requestBuf
.
WriteString
(
soapPrefix
)
requestBuf
.
WriteString
(
`<u:`
)
xml
.
EscapeText
(
requestBuf
,
[]
byte
(
actionName
))
requestBuf
.
WriteString
(
` xmlns:u="`
)
xml
.
EscapeText
(
requestBuf
,
[]
byte
(
actionNamespace
))
requestBuf
.
WriteString
(
`">`
)
if
inAction
!=
nil
{
if
err
:=
encodeRequestArgs
(
requestBuf
,
inAction
);
err
!=
nil
{
return
nil
,
err
}
}
requestBuf
.
WriteString
(
`</u:`
)
xml
.
EscapeText
(
requestBuf
,
[]
byte
(
actionName
))
requestBuf
.
WriteString
(
`>`
)
requestBuf
.
WriteString
(
soapSuffix
)
return
requestBuf
.
Bytes
(),
nil
}
func
encodeRequestArgs
(
w
*
bytes
.
Buffer
,
inAction
interface
{})
error
{
in
:=
reflect
.
Indirect
(
reflect
.
ValueOf
(
inAction
))
if
in
.
Kind
()
!=
reflect
.
Struct
{
return
fmt
.
Errorf
(
"goupnp: SOAP inAction is not a struct but of type %v"
,
in
.
Type
())
}
enc
:=
xml
.
NewEncoder
(
w
)
nFields
:=
in
.
NumField
()
inType
:=
in
.
Type
()
for
i
:=
0
;
i
<
nFields
;
i
++
{
field
:=
inType
.
Field
(
i
)
argName
:=
field
.
Name
if
nameOverride
:=
field
.
Tag
.
Get
(
"soap"
);
nameOverride
!=
""
{
argName
=
nameOverride
}
value
:=
in
.
Field
(
i
)
if
value
.
Kind
()
!=
reflect
.
String
{
return
fmt
.
Errorf
(
"goupnp: SOAP arg %q is not of type string, but of type %v"
,
argName
,
value
.
Type
())
}
if
err
:=
enc
.
EncodeElement
(
value
.
Interface
(),
xml
.
StartElement
{
xml
.
Name
{
""
,
argName
},
nil
});
err
!=
nil
{
return
fmt
.
Errorf
(
"goupnp: error encoding SOAP arg %q: %v"
,
argName
,
err
)
}
}
enc
.
Flush
()
return
nil
}
type
soapEnvelope
struct
{
XMLName
xml
.
Name
`xml:"http://schemas.xmlsoap.org/soap/envelope/ Envelope"`
EncodingStyle
string
`xml:"http://schemas.xmlsoap.org/soap/envelope/ encodingStyle,attr"`
Body
soapBody
`xml:"http://schemas.xmlsoap.org/soap/envelope/ Body"`
}
type
soapBody
struct
{
Fault
*
SOAPFaultError
`xml:"Fault"`
RawAction
[]
byte
`xml:",innerxml"`
}
// SOAPFaultError implements error, and contains SOAP fault information.
type
SOAPFaultError
struct
{
FaultCode
string
`xml:"faultcode"`
FaultString
string
`xml:"faultstring"`
Detail
string
`xml:"detail"`
}
func
(
err
*
SOAPFaultError
)
Error
()
string
{
return
fmt
.
Sprintf
(
"SOAP fault: %s"
,
err
.
FaultString
)
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/soap/soap_test.go
deleted
100644 → 0
View file @
a40ef343
package
soap
import
(
"bytes"
"io/ioutil"
"net/http"
"net/url"
"reflect"
"testing"
)
type
capturingRoundTripper
struct
{
err
error
resp
*
http
.
Response
capturedReq
*
http
.
Request
}
func
(
rt
*
capturingRoundTripper
)
RoundTrip
(
req
*
http
.
Request
)
(
*
http
.
Response
,
error
)
{
rt
.
capturedReq
=
req
return
rt
.
resp
,
rt
.
err
}
func
TestActionInputs
(
t
*
testing
.
T
)
{
url
,
err
:=
url
.
Parse
(
"http://example.com/soap"
)
if
err
!=
nil
{
t
.
Fatal
(
err
)
}
rt
:=
&
capturingRoundTripper
{
err
:
nil
,
resp
:
&
http
.
Response
{
StatusCode
:
200
,
Body
:
ioutil
.
NopCloser
(
bytes
.
NewBufferString
(
`
<s:Envelope xmlns:s="http://schemas.xmlsoap.org/soap/envelope/">
<s:Body>
<u:myactionResponse xmlns:u="mynamespace">
<A>valueA</A>
<B>valueB</B>
</u:myactionResponse>
</s:Body>
</s:Envelope>
`
)),
},
}
client
:=
SOAPClient
{
EndpointURL
:
*
url
,
HTTPClient
:
http
.
Client
{
Transport
:
rt
,
},
}
type
In
struct
{
Foo
string
Bar
string
`soap:"bar"`
}
type
Out
struct
{
A
string
B
string
}
in
:=
In
{
"foo"
,
"bar"
}
gotOut
:=
Out
{}
err
=
client
.
PerformAction
(
"mynamespace"
,
"myaction"
,
&
in
,
&
gotOut
)
if
err
!=
nil
{
t
.
Fatal
(
err
)
}
wantBody
:=
(
soapPrefix
+
`<u:myaction xmlns:u="mynamespace">`
+
`<Foo>foo</Foo>`
+
`<bar>bar</bar>`
+
`</u:myaction>`
+
soapSuffix
)
body
,
err
:=
ioutil
.
ReadAll
(
rt
.
capturedReq
.
Body
)
if
err
!=
nil
{
t
.
Fatal
(
err
)
}
gotBody
:=
string
(
body
)
if
wantBody
!=
gotBody
{
t
.
Errorf
(
"Bad request body
\n
want: %q
\n
got: %q"
,
wantBody
,
gotBody
)
}
wantOut
:=
Out
{
"valueA"
,
"valueB"
}
if
!
reflect
.
DeepEqual
(
wantOut
,
gotOut
)
{
t
.
Errorf
(
"Bad output
\n
want: %+v
\n
got: %+v"
,
wantOut
,
gotOut
)
}
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/soap/types.go
deleted
100644 → 0
View file @
a40ef343
package
soap
import
(
"encoding/base64"
"encoding/hex"
"errors"
"fmt"
"net/url"
"regexp"
"strconv"
"strings"
"time"
"unicode/utf8"
)
var
(
// localLoc acts like time.Local for this package, but is faked out by the
// unit tests to ensure that things stay constant (especially when running
// this test in a place where local time is UTC which might mask bugs).
localLoc
=
time
.
Local
)
func
MarshalUi1
(
v
uint8
)
(
string
,
error
)
{
return
strconv
.
FormatUint
(
uint64
(
v
),
10
),
nil
}
func
UnmarshalUi1
(
s
string
)
(
uint8
,
error
)
{
v
,
err
:=
strconv
.
ParseUint
(
s
,
10
,
8
)
return
uint8
(
v
),
err
}
func
MarshalUi2
(
v
uint16
)
(
string
,
error
)
{
return
strconv
.
FormatUint
(
uint64
(
v
),
10
),
nil
}
func
UnmarshalUi2
(
s
string
)
(
uint16
,
error
)
{
v
,
err
:=
strconv
.
ParseUint
(
s
,
10
,
16
)
return
uint16
(
v
),
err
}
func
MarshalUi4
(
v
uint32
)
(
string
,
error
)
{
return
strconv
.
FormatUint
(
uint64
(
v
),
10
),
nil
}
func
UnmarshalUi4
(
s
string
)
(
uint32
,
error
)
{
v
,
err
:=
strconv
.
ParseUint
(
s
,
10
,
32
)
return
uint32
(
v
),
err
}
func
MarshalI1
(
v
int8
)
(
string
,
error
)
{
return
strconv
.
FormatInt
(
int64
(
v
),
10
),
nil
}
func
UnmarshalI1
(
s
string
)
(
int8
,
error
)
{
v
,
err
:=
strconv
.
ParseInt
(
s
,
10
,
8
)
return
int8
(
v
),
err
}
func
MarshalI2
(
v
int16
)
(
string
,
error
)
{
return
strconv
.
FormatInt
(
int64
(
v
),
10
),
nil
}
func
UnmarshalI2
(
s
string
)
(
int16
,
error
)
{
v
,
err
:=
strconv
.
ParseInt
(
s
,
10
,
16
)
return
int16
(
v
),
err
}
func
MarshalI4
(
v
int32
)
(
string
,
error
)
{
return
strconv
.
FormatInt
(
int64
(
v
),
10
),
nil
}
func
UnmarshalI4
(
s
string
)
(
int32
,
error
)
{
v
,
err
:=
strconv
.
ParseInt
(
s
,
10
,
32
)
return
int32
(
v
),
err
}
func
MarshalInt
(
v
int64
)
(
string
,
error
)
{
return
strconv
.
FormatInt
(
v
,
10
),
nil
}
func
UnmarshalInt
(
s
string
)
(
int64
,
error
)
{
return
strconv
.
ParseInt
(
s
,
10
,
64
)
}
func
MarshalR4
(
v
float32
)
(
string
,
error
)
{
return
strconv
.
FormatFloat
(
float64
(
v
),
'G'
,
-
1
,
32
),
nil
}
func
UnmarshalR4
(
s
string
)
(
float32
,
error
)
{
v
,
err
:=
strconv
.
ParseFloat
(
s
,
32
)
return
float32
(
v
),
err
}
func
MarshalR8
(
v
float64
)
(
string
,
error
)
{
return
strconv
.
FormatFloat
(
v
,
'G'
,
-
1
,
64
),
nil
}
func
UnmarshalR8
(
s
string
)
(
float64
,
error
)
{
v
,
err
:=
strconv
.
ParseFloat
(
s
,
64
)
return
float64
(
v
),
err
}
// MarshalFixed14_4 marshals float64 to SOAP "fixed.14.4" type.
func
MarshalFixed14_4
(
v
float64
)
(
string
,
error
)
{
if
v
>=
1e14
||
v
<=
-
1e14
{
return
""
,
fmt
.
Errorf
(
"soap fixed14.4: value %v out of bounds"
,
v
)
}
return
strconv
.
FormatFloat
(
v
,
'f'
,
4
,
64
),
nil
}
// UnmarshalFixed14_4 unmarshals float64 from SOAP "fixed.14.4" type.
func
UnmarshalFixed14_4
(
s
string
)
(
float64
,
error
)
{
v
,
err
:=
strconv
.
ParseFloat
(
s
,
64
)
if
err
!=
nil
{
return
0
,
err
}
if
v
>=
1e14
||
v
<=
-
1e14
{
return
0
,
fmt
.
Errorf
(
"soap fixed14.4: value %q out of bounds"
,
s
)
}
return
v
,
nil
}
// MarshalChar marshals rune to SOAP "char" type.
func
MarshalChar
(
v
rune
)
(
string
,
error
)
{
if
v
==
0
{
return
""
,
errors
.
New
(
"soap char: rune 0 is not allowed"
)
}
return
string
(
v
),
nil
}
// UnmarshalChar unmarshals rune from SOAP "char" type.
func
UnmarshalChar
(
s
string
)
(
rune
,
error
)
{
if
len
(
s
)
==
0
{
return
0
,
errors
.
New
(
"soap char: got empty string"
)
}
r
,
n
:=
utf8
.
DecodeRune
([]
byte
(
s
))
if
n
!=
len
(
s
)
{
return
0
,
fmt
.
Errorf
(
"soap char: value %q is not a single rune"
,
s
)
}
return
r
,
nil
}
func
MarshalString
(
v
string
)
(
string
,
error
)
{
return
v
,
nil
}
func
UnmarshalString
(
v
string
)
(
string
,
error
)
{
return
v
,
nil
}
func
parseInt
(
s
string
,
err
*
error
)
int
{
v
,
parseErr
:=
strconv
.
ParseInt
(
s
,
10
,
64
)
if
parseErr
!=
nil
{
*
err
=
parseErr
}
return
int
(
v
)
}
var
dateRegexps
=
[]
*
regexp
.
Regexp
{
// yyyy[-mm[-dd]]
regexp
.
MustCompile
(
`^(\d{4})(?:-(\d{2})(?:-(\d{2}))?)?$`
),
// yyyy[mm[dd]]
regexp
.
MustCompile
(
`^(\d{4})(?:(\d{2})(?:(\d{2}))?)?$`
),
}
func
parseDateParts
(
s
string
)
(
year
,
month
,
day
int
,
err
error
)
{
var
parts
[]
string
for
_
,
re
:=
range
dateRegexps
{
parts
=
re
.
FindStringSubmatch
(
s
)
if
parts
!=
nil
{
break
}
}
if
parts
==
nil
{
err
=
fmt
.
Errorf
(
"soap date: value %q is not in a recognized ISO8601 date format"
,
s
)
return
}
year
=
parseInt
(
parts
[
1
],
&
err
)
month
=
1
day
=
1
if
len
(
parts
[
2
])
!=
0
{
month
=
parseInt
(
parts
[
2
],
&
err
)
if
len
(
parts
[
3
])
!=
0
{
day
=
parseInt
(
parts
[
3
],
&
err
)
}
}
if
err
!=
nil
{
err
=
fmt
.
Errorf
(
"soap date: %q: %v"
,
s
,
err
)
}
return
}
var
timeRegexps
=
[]
*
regexp
.
Regexp
{
// hh[:mm[:ss]]
regexp
.
MustCompile
(
`^(\d{2})(?::(\d{2})(?::(\d{2}))?)?$`
),
// hh[mm[ss]]
regexp
.
MustCompile
(
`^(\d{2})(?:(\d{2})(?:(\d{2}))?)?$`
),
}
func
parseTimeParts
(
s
string
)
(
hour
,
minute
,
second
int
,
err
error
)
{
var
parts
[]
string
for
_
,
re
:=
range
timeRegexps
{
parts
=
re
.
FindStringSubmatch
(
s
)
if
parts
!=
nil
{
break
}
}
if
parts
==
nil
{
err
=
fmt
.
Errorf
(
"soap time: value %q is not in ISO8601 time format"
,
s
)
return
}
hour
=
parseInt
(
parts
[
1
],
&
err
)
if
len
(
parts
[
2
])
!=
0
{
minute
=
parseInt
(
parts
[
2
],
&
err
)
if
len
(
parts
[
3
])
!=
0
{
second
=
parseInt
(
parts
[
3
],
&
err
)
}
}
if
err
!=
nil
{
err
=
fmt
.
Errorf
(
"soap time: %q: %v"
,
s
,
err
)
}
return
}
// (+|-)hh[[:]mm]
var
timezoneRegexp
=
regexp
.
MustCompile
(
`^([+-])(\d{2})(?::?(\d{2}))?$`
)
func
parseTimezone
(
s
string
)
(
offset
int
,
err
error
)
{
if
s
==
"Z"
{
return
0
,
nil
}
parts
:=
timezoneRegexp
.
FindStringSubmatch
(
s
)
if
parts
==
nil
{
err
=
fmt
.
Errorf
(
"soap timezone: value %q is not in ISO8601 timezone format"
,
s
)
return
}
offset
=
parseInt
(
parts
[
2
],
&
err
)
*
3600
if
len
(
parts
[
3
])
!=
0
{
offset
+=
parseInt
(
parts
[
3
],
&
err
)
*
60
}
if
parts
[
1
]
==
"-"
{
offset
=
-
offset
}
if
err
!=
nil
{
err
=
fmt
.
Errorf
(
"soap timezone: %q: %v"
,
s
,
err
)
}
return
}
var
completeDateTimeZoneRegexp
=
regexp
.
MustCompile
(
`^([^T]+)(?:T([^-+Z]+)(.+)?)?$`
)
// splitCompleteDateTimeZone splits date, time and timezone apart from an
// ISO8601 string. It does not ensure that the contents of each part are
// correct, it merely splits on certain delimiters.
// e.g "2010-09-08T12:15:10+0700" => "2010-09-08", "12:15:10", "+0700".
// Timezone can only be present if time is also present.
func
splitCompleteDateTimeZone
(
s
string
)
(
dateStr
,
timeStr
,
zoneStr
string
,
err
error
)
{
parts
:=
completeDateTimeZoneRegexp
.
FindStringSubmatch
(
s
)
if
parts
==
nil
{
err
=
fmt
.
Errorf
(
"soap date/time/zone: value %q is not in ISO8601 datetime format"
,
s
)
return
}
dateStr
=
parts
[
1
]
timeStr
=
parts
[
2
]
zoneStr
=
parts
[
3
]
return
}
// MarshalDate marshals time.Time to SOAP "date" type. Note that this converts
// to local time, and discards the time-of-day components.
func
MarshalDate
(
v
time
.
Time
)
(
string
,
error
)
{
return
v
.
In
(
localLoc
)
.
Format
(
"2006-01-02"
),
nil
}
var
dateFmts
=
[]
string
{
"2006-01-02"
,
"20060102"
}
// UnmarshalDate unmarshals time.Time from SOAP "date" type. This outputs the
// date as midnight in the local time zone.
func
UnmarshalDate
(
s
string
)
(
time
.
Time
,
error
)
{
year
,
month
,
day
,
err
:=
parseDateParts
(
s
)
if
err
!=
nil
{
return
time
.
Time
{},
err
}
return
time
.
Date
(
year
,
time
.
Month
(
month
),
day
,
0
,
0
,
0
,
0
,
localLoc
),
nil
}
// TimeOfDay is used in cases where SOAP "time" or "time.tz" is used.
type
TimeOfDay
struct
{
// Duration of time since midnight.
FromMidnight
time
.
Duration
// Set to true if Offset is specified. If false, then the timezone is
// unspecified (and by ISO8601 - implies some "local" time).
HasOffset
bool
// Offset is non-zero only if time.tz is used. It is otherwise ignored. If
// non-zero, then it is regarded as a UTC offset in seconds. Note that the
// sub-minutes is ignored by the marshal function.
Offset
int
}
// MarshalTimeOfDay marshals TimeOfDay to the "time" type.
func
MarshalTimeOfDay
(
v
TimeOfDay
)
(
string
,
error
)
{
d
:=
int64
(
v
.
FromMidnight
/
time
.
Second
)
hour
:=
d
/
3600
d
=
d
%
3600
minute
:=
d
/
60
second
:=
d
%
60
return
fmt
.
Sprintf
(
"%02d:%02d:%02d"
,
hour
,
minute
,
second
),
nil
}
// UnmarshalTimeOfDay unmarshals TimeOfDay from the "time" type.
func
UnmarshalTimeOfDay
(
s
string
)
(
TimeOfDay
,
error
)
{
t
,
err
:=
UnmarshalTimeOfDayTz
(
s
)
if
err
!=
nil
{
return
TimeOfDay
{},
err
}
else
if
t
.
HasOffset
{
return
TimeOfDay
{},
fmt
.
Errorf
(
"soap time: value %q contains unexpected timezone"
)
}
return
t
,
nil
}
// MarshalTimeOfDayTz marshals TimeOfDay to the "time.tz" type.
func
MarshalTimeOfDayTz
(
v
TimeOfDay
)
(
string
,
error
)
{
d
:=
int64
(
v
.
FromMidnight
/
time
.
Second
)
hour
:=
d
/
3600
d
=
d
%
3600
minute
:=
d
/
60
second
:=
d
%
60
tz
:=
""
if
v
.
HasOffset
{
if
v
.
Offset
==
0
{
tz
=
"Z"
}
else
{
offsetMins
:=
v
.
Offset
/
60
sign
:=
'+'
if
offsetMins
<
1
{
offsetMins
=
-
offsetMins
sign
=
'-'
}
tz
=
fmt
.
Sprintf
(
"%c%02d:%02d"
,
sign
,
offsetMins
/
60
,
offsetMins
%
60
)
}
}
return
fmt
.
Sprintf
(
"%02d:%02d:%02d%s"
,
hour
,
minute
,
second
,
tz
),
nil
}
// UnmarshalTimeOfDayTz unmarshals TimeOfDay from the "time.tz" type.
func
UnmarshalTimeOfDayTz
(
s
string
)
(
tod
TimeOfDay
,
err
error
)
{
zoneIndex
:=
strings
.
IndexAny
(
s
,
"Z+-"
)
var
timePart
string
var
hasOffset
bool
var
offset
int
if
zoneIndex
==
-
1
{
hasOffset
=
false
timePart
=
s
}
else
{
hasOffset
=
true
timePart
=
s
[
:
zoneIndex
]
if
offset
,
err
=
parseTimezone
(
s
[
zoneIndex
:
]);
err
!=
nil
{
return
}
}
hour
,
minute
,
second
,
err
:=
parseTimeParts
(
timePart
)
if
err
!=
nil
{
return
}
fromMidnight
:=
time
.
Duration
(
hour
*
3600
+
minute
*
60
+
second
)
*
time
.
Second
// ISO8601 special case - values up to 24:00:00 are allowed, so using
// strictly greater-than for the maximum value.
if
fromMidnight
>
24
*
time
.
Hour
||
minute
>=
60
||
second
>=
60
{
return
TimeOfDay
{},
fmt
.
Errorf
(
"soap time.tz: value %q has value(s) out of range"
,
s
)
}
return
TimeOfDay
{
FromMidnight
:
time
.
Duration
(
hour
*
3600
+
minute
*
60
+
second
)
*
time
.
Second
,
HasOffset
:
hasOffset
,
Offset
:
offset
,
},
nil
}
// MarshalDateTime marshals time.Time to SOAP "dateTime" type. Note that this
// converts to local time.
func
MarshalDateTime
(
v
time
.
Time
)
(
string
,
error
)
{
return
v
.
In
(
localLoc
)
.
Format
(
"2006-01-02T15:04:05"
),
nil
}
// UnmarshalDateTime unmarshals time.Time from the SOAP "dateTime" type. This
// returns a value in the local timezone.
func
UnmarshalDateTime
(
s
string
)
(
result
time
.
Time
,
err
error
)
{
dateStr
,
timeStr
,
zoneStr
,
err
:=
splitCompleteDateTimeZone
(
s
)
if
err
!=
nil
{
return
}
if
len
(
zoneStr
)
!=
0
{
err
=
fmt
.
Errorf
(
"soap datetime: unexpected timezone in %q"
,
s
)
return
}
year
,
month
,
day
,
err
:=
parseDateParts
(
dateStr
)
if
err
!=
nil
{
return
}
var
hour
,
minute
,
second
int
if
len
(
timeStr
)
!=
0
{
hour
,
minute
,
second
,
err
=
parseTimeParts
(
timeStr
)
if
err
!=
nil
{
return
}
}
result
=
time
.
Date
(
year
,
time
.
Month
(
month
),
day
,
hour
,
minute
,
second
,
0
,
localLoc
)
return
}
// MarshalDateTimeTz marshals time.Time to SOAP "dateTime.tz" type.
func
MarshalDateTimeTz
(
v
time
.
Time
)
(
string
,
error
)
{
return
v
.
Format
(
"2006-01-02T15:04:05-07:00"
),
nil
}
// UnmarshalDateTimeTz unmarshals time.Time from the SOAP "dateTime.tz" type.
// This returns a value in the local timezone when the timezone is unspecified.
func
UnmarshalDateTimeTz
(
s
string
)
(
result
time
.
Time
,
err
error
)
{
dateStr
,
timeStr
,
zoneStr
,
err
:=
splitCompleteDateTimeZone
(
s
)
if
err
!=
nil
{
return
}
year
,
month
,
day
,
err
:=
parseDateParts
(
dateStr
)
if
err
!=
nil
{
return
}
var
hour
,
minute
,
second
int
var
location
*
time
.
Location
=
localLoc
if
len
(
timeStr
)
!=
0
{
hour
,
minute
,
second
,
err
=
parseTimeParts
(
timeStr
)
if
err
!=
nil
{
return
}
if
len
(
zoneStr
)
!=
0
{
var
offset
int
offset
,
err
=
parseTimezone
(
zoneStr
)
if
offset
==
0
{
location
=
time
.
UTC
}
else
{
location
=
time
.
FixedZone
(
""
,
offset
)
}
}
}
result
=
time
.
Date
(
year
,
time
.
Month
(
month
),
day
,
hour
,
minute
,
second
,
0
,
location
)
return
}
// MarshalBoolean marshals bool to SOAP "boolean" type.
func
MarshalBoolean
(
v
bool
)
(
string
,
error
)
{
if
v
{
return
"1"
,
nil
}
return
"0"
,
nil
}
// UnmarshalBoolean unmarshals bool from the SOAP "boolean" type.
func
UnmarshalBoolean
(
s
string
)
(
bool
,
error
)
{
switch
s
{
case
"0"
,
"false"
,
"no"
:
return
false
,
nil
case
"1"
,
"true"
,
"yes"
:
return
true
,
nil
}
return
false
,
fmt
.
Errorf
(
"soap boolean: %q is not a valid boolean value"
,
s
)
}
// MarshalBinBase64 marshals []byte to SOAP "bin.base64" type.
func
MarshalBinBase64
(
v
[]
byte
)
(
string
,
error
)
{
return
base64
.
StdEncoding
.
EncodeToString
(
v
),
nil
}
// UnmarshalBinBase64 unmarshals []byte from the SOAP "bin.base64" type.
func
UnmarshalBinBase64
(
s
string
)
([]
byte
,
error
)
{
return
base64
.
StdEncoding
.
DecodeString
(
s
)
}
// MarshalBinHex marshals []byte to SOAP "bin.hex" type.
func
MarshalBinHex
(
v
[]
byte
)
(
string
,
error
)
{
return
hex
.
EncodeToString
(
v
),
nil
}
// UnmarshalBinHex unmarshals []byte from the SOAP "bin.hex" type.
func
UnmarshalBinHex
(
s
string
)
([]
byte
,
error
)
{
return
hex
.
DecodeString
(
s
)
}
// MarshalURI marshals *url.URL to SOAP "uri" type.
func
MarshalURI
(
v
*
url
.
URL
)
(
string
,
error
)
{
return
v
.
String
(),
nil
}
// UnmarshalURI unmarshals *url.URL from the SOAP "uri" type.
func
UnmarshalURI
(
s
string
)
(
*
url
.
URL
,
error
)
{
return
url
.
Parse
(
s
)
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/soap/types_test.go
deleted
100644 → 0
View file @
a40ef343
package
soap
import
(
"bytes"
"math"
"net/url"
"testing"
"time"
)
type
convTest
interface
{
Marshal
()
(
string
,
error
)
Unmarshal
(
string
)
(
interface
{},
error
)
Equal
(
result
interface
{})
bool
}
// duper is an interface that convTest values may optionally also implement to
// generate another convTest for a value in an otherwise identical testCase.
type
duper
interface
{
Dupe
(
tag
string
)
[]
convTest
}
type
testCase
struct
{
value
convTest
str
string
wantMarshalErr
bool
wantUnmarshalErr
bool
noMarshal
bool
noUnMarshal
bool
tag
string
}
type
Ui1Test
uint8
func
(
v
Ui1Test
)
Marshal
()
(
string
,
error
)
{
return
MarshalUi1
(
uint8
(
v
))
}
func
(
v
Ui1Test
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalUi1
(
s
)
}
func
(
v
Ui1Test
)
Equal
(
result
interface
{})
bool
{
return
uint8
(
v
)
==
result
.
(
uint8
)
}
func
(
v
Ui1Test
)
Dupe
(
tag
string
)
[]
convTest
{
if
tag
==
"dupe"
{
return
[]
convTest
{
Ui2Test
(
v
),
Ui4Test
(
v
),
}
}
return
nil
}
type
Ui2Test
uint16
func
(
v
Ui2Test
)
Marshal
()
(
string
,
error
)
{
return
MarshalUi2
(
uint16
(
v
))
}
func
(
v
Ui2Test
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalUi2
(
s
)
}
func
(
v
Ui2Test
)
Equal
(
result
interface
{})
bool
{
return
uint16
(
v
)
==
result
.
(
uint16
)
}
type
Ui4Test
uint32
func
(
v
Ui4Test
)
Marshal
()
(
string
,
error
)
{
return
MarshalUi4
(
uint32
(
v
))
}
func
(
v
Ui4Test
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalUi4
(
s
)
}
func
(
v
Ui4Test
)
Equal
(
result
interface
{})
bool
{
return
uint32
(
v
)
==
result
.
(
uint32
)
}
type
I1Test
int8
func
(
v
I1Test
)
Marshal
()
(
string
,
error
)
{
return
MarshalI1
(
int8
(
v
))
}
func
(
v
I1Test
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalI1
(
s
)
}
func
(
v
I1Test
)
Equal
(
result
interface
{})
bool
{
return
int8
(
v
)
==
result
.
(
int8
)
}
func
(
v
I1Test
)
Dupe
(
tag
string
)
[]
convTest
{
if
tag
==
"dupe"
{
return
[]
convTest
{
I2Test
(
v
),
I4Test
(
v
),
}
}
return
nil
}
type
I2Test
int16
func
(
v
I2Test
)
Marshal
()
(
string
,
error
)
{
return
MarshalI2
(
int16
(
v
))
}
func
(
v
I2Test
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalI2
(
s
)
}
func
(
v
I2Test
)
Equal
(
result
interface
{})
bool
{
return
int16
(
v
)
==
result
.
(
int16
)
}
type
I4Test
int32
func
(
v
I4Test
)
Marshal
()
(
string
,
error
)
{
return
MarshalI4
(
int32
(
v
))
}
func
(
v
I4Test
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalI4
(
s
)
}
func
(
v
I4Test
)
Equal
(
result
interface
{})
bool
{
return
int32
(
v
)
==
result
.
(
int32
)
}
type
IntTest
int64
func
(
v
IntTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalInt
(
int64
(
v
))
}
func
(
v
IntTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalInt
(
s
)
}
func
(
v
IntTest
)
Equal
(
result
interface
{})
bool
{
return
int64
(
v
)
==
result
.
(
int64
)
}
type
Fixed14_4Test
float64
func
(
v
Fixed14_4Test
)
Marshal
()
(
string
,
error
)
{
return
MarshalFixed14_4
(
float64
(
v
))
}
func
(
v
Fixed14_4Test
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalFixed14_4
(
s
)
}
func
(
v
Fixed14_4Test
)
Equal
(
result
interface
{})
bool
{
return
math
.
Abs
(
float64
(
v
)
-
result
.
(
float64
))
<
0.001
}
type
CharTest
rune
func
(
v
CharTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalChar
(
rune
(
v
))
}
func
(
v
CharTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalChar
(
s
)
}
func
(
v
CharTest
)
Equal
(
result
interface
{})
bool
{
return
rune
(
v
)
==
result
.
(
rune
)
}
type
DateTest
struct
{
time
.
Time
}
func
(
v
DateTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalDate
(
time
.
Time
(
v
.
Time
))
}
func
(
v
DateTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalDate
(
s
)
}
func
(
v
DateTest
)
Equal
(
result
interface
{})
bool
{
return
v
.
Time
.
Equal
(
result
.
(
time
.
Time
))
}
func
(
v
DateTest
)
Dupe
(
tag
string
)
[]
convTest
{
if
tag
!=
"no:dateTime"
{
return
[]
convTest
{
DateTimeTest
{
v
.
Time
}}
}
return
nil
}
type
TimeOfDayTest
struct
{
TimeOfDay
}
func
(
v
TimeOfDayTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalTimeOfDay
(
v
.
TimeOfDay
)
}
func
(
v
TimeOfDayTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalTimeOfDay
(
s
)
}
func
(
v
TimeOfDayTest
)
Equal
(
result
interface
{})
bool
{
return
v
.
TimeOfDay
==
result
.
(
TimeOfDay
)
}
func
(
v
TimeOfDayTest
)
Dupe
(
tag
string
)
[]
convTest
{
if
tag
!=
"no:time.tz"
{
return
[]
convTest
{
TimeOfDayTzTest
{
v
.
TimeOfDay
}}
}
return
nil
}
type
TimeOfDayTzTest
struct
{
TimeOfDay
}
func
(
v
TimeOfDayTzTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalTimeOfDayTz
(
v
.
TimeOfDay
)
}
func
(
v
TimeOfDayTzTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalTimeOfDayTz
(
s
)
}
func
(
v
TimeOfDayTzTest
)
Equal
(
result
interface
{})
bool
{
return
v
.
TimeOfDay
==
result
.
(
TimeOfDay
)
}
type
DateTimeTest
struct
{
time
.
Time
}
func
(
v
DateTimeTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalDateTime
(
time
.
Time
(
v
.
Time
))
}
func
(
v
DateTimeTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalDateTime
(
s
)
}
func
(
v
DateTimeTest
)
Equal
(
result
interface
{})
bool
{
return
v
.
Time
.
Equal
(
result
.
(
time
.
Time
))
}
func
(
v
DateTimeTest
)
Dupe
(
tag
string
)
[]
convTest
{
if
tag
!=
"no:dateTime.tz"
{
return
[]
convTest
{
DateTimeTzTest
{
v
.
Time
}}
}
return
nil
}
type
DateTimeTzTest
struct
{
time
.
Time
}
func
(
v
DateTimeTzTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalDateTimeTz
(
time
.
Time
(
v
.
Time
))
}
func
(
v
DateTimeTzTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalDateTimeTz
(
s
)
}
func
(
v
DateTimeTzTest
)
Equal
(
result
interface
{})
bool
{
return
v
.
Time
.
Equal
(
result
.
(
time
.
Time
))
}
type
BooleanTest
bool
func
(
v
BooleanTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalBoolean
(
bool
(
v
))
}
func
(
v
BooleanTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalBoolean
(
s
)
}
func
(
v
BooleanTest
)
Equal
(
result
interface
{})
bool
{
return
bool
(
v
)
==
result
.
(
bool
)
}
type
BinBase64Test
[]
byte
func
(
v
BinBase64Test
)
Marshal
()
(
string
,
error
)
{
return
MarshalBinBase64
([]
byte
(
v
))
}
func
(
v
BinBase64Test
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalBinBase64
(
s
)
}
func
(
v
BinBase64Test
)
Equal
(
result
interface
{})
bool
{
return
bytes
.
Equal
([]
byte
(
v
),
result
.
([]
byte
))
}
type
BinHexTest
[]
byte
func
(
v
BinHexTest
)
Marshal
()
(
string
,
error
)
{
return
MarshalBinHex
([]
byte
(
v
))
}
func
(
v
BinHexTest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalBinHex
(
s
)
}
func
(
v
BinHexTest
)
Equal
(
result
interface
{})
bool
{
return
bytes
.
Equal
([]
byte
(
v
),
result
.
([]
byte
))
}
type
URITest
struct
{
URL
*
url
.
URL
}
func
(
v
URITest
)
Marshal
()
(
string
,
error
)
{
return
MarshalURI
(
v
.
URL
)
}
func
(
v
URITest
)
Unmarshal
(
s
string
)
(
interface
{},
error
)
{
return
UnmarshalURI
(
s
)
}
func
(
v
URITest
)
Equal
(
result
interface
{})
bool
{
return
v
.
URL
.
String
()
==
result
.
(
*
url
.
URL
)
.
String
()
}
func
Test
(
t
*
testing
.
T
)
{
const
time010203
time
.
Duration
=
(
1
*
3600
+
2
*
60
+
3
)
*
time
.
Second
const
time0102
time
.
Duration
=
(
1
*
3600
+
2
*
60
)
*
time
.
Second
const
time01
time
.
Duration
=
(
1
*
3600
)
*
time
.
Second
const
time235959
time
.
Duration
=
(
23
*
3600
+
59
*
60
+
59
)
*
time
.
Second
// Fake out the local time for the implementation.
localLoc
=
time
.
FixedZone
(
"Fake/Local"
,
6
*
3600
)
defer
func
()
{
localLoc
=
time
.
Local
}()
tests
:=
[]
testCase
{
// ui1
{
str
:
""
,
value
:
Ui1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"dupe"
},
{
str
:
" "
,
value
:
Ui1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"dupe"
},
{
str
:
"abc"
,
value
:
Ui1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"dupe"
},
{
str
:
"-1"
,
value
:
Ui1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"dupe"
},
{
str
:
"0"
,
value
:
Ui1Test
(
0
),
tag
:
"dupe"
},
{
str
:
"1"
,
value
:
Ui1Test
(
1
),
tag
:
"dupe"
},
{
str
:
"255"
,
value
:
Ui1Test
(
255
),
tag
:
"dupe"
},
{
str
:
"256"
,
value
:
Ui1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
// ui2
{
str
:
"65535"
,
value
:
Ui2Test
(
65535
)},
{
str
:
"65536"
,
value
:
Ui2Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
// ui4
{
str
:
"4294967295"
,
value
:
Ui4Test
(
4294967295
)},
{
str
:
"4294967296"
,
value
:
Ui4Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
// i1
{
str
:
""
,
value
:
I1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"dupe"
},
{
str
:
" "
,
value
:
I1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"dupe"
},
{
str
:
"abc"
,
value
:
I1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"dupe"
},
{
str
:
"0"
,
value
:
I1Test
(
0
),
tag
:
"dupe"
},
{
str
:
"-1"
,
value
:
I1Test
(
-
1
),
tag
:
"dupe"
},
{
str
:
"127"
,
value
:
I1Test
(
127
),
tag
:
"dupe"
},
{
str
:
"-128"
,
value
:
I1Test
(
-
128
),
tag
:
"dupe"
},
{
str
:
"128"
,
value
:
I1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"-129"
,
value
:
I1Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
// i2
{
str
:
"32767"
,
value
:
I2Test
(
32767
)},
{
str
:
"-32768"
,
value
:
I2Test
(
-
32768
)},
{
str
:
"32768"
,
value
:
I2Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"-32769"
,
value
:
I2Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
// i4
{
str
:
"2147483647"
,
value
:
I4Test
(
2147483647
)},
{
str
:
"-2147483648"
,
value
:
I4Test
(
-
2147483648
)},
{
str
:
"2147483648"
,
value
:
I4Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"-2147483649"
,
value
:
I4Test
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
// int
{
str
:
"9223372036854775807"
,
value
:
IntTest
(
9223372036854775807
)},
{
str
:
"-9223372036854775808"
,
value
:
IntTest
(
-
9223372036854775808
)},
{
str
:
"9223372036854775808"
,
value
:
IntTest
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"-9223372036854775809"
,
value
:
IntTest
(
0
),
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
// fixed.14.4
{
str
:
"0.0000"
,
value
:
Fixed14_4Test
(
0
)},
{
str
:
"1.0000"
,
value
:
Fixed14_4Test
(
1
)},
{
str
:
"1.2346"
,
value
:
Fixed14_4Test
(
1.23456
)},
{
str
:
"-1.0000"
,
value
:
Fixed14_4Test
(
-
1
)},
{
str
:
"-1.2346"
,
value
:
Fixed14_4Test
(
-
1.23456
)},
{
str
:
"10000000000000.0000"
,
value
:
Fixed14_4Test
(
1e13
)},
{
str
:
"100000000000000.0000"
,
value
:
Fixed14_4Test
(
1e14
),
wantMarshalErr
:
true
,
wantUnmarshalErr
:
true
},
{
str
:
"-10000000000000.0000"
,
value
:
Fixed14_4Test
(
-
1e13
)},
{
str
:
"-100000000000000.0000"
,
value
:
Fixed14_4Test
(
-
1e14
),
wantMarshalErr
:
true
,
wantUnmarshalErr
:
true
},
// char
{
str
:
"a"
,
value
:
CharTest
(
'a'
)},
{
str
:
"z"
,
value
:
CharTest
(
'z'
)},
{
str
:
"
\u1234
"
,
value
:
CharTest
(
0x1234
)},
{
str
:
"aa"
,
value
:
CharTest
(
0
),
wantMarshalErr
:
true
,
wantUnmarshalErr
:
true
},
{
str
:
""
,
value
:
CharTest
(
0
),
wantMarshalErr
:
true
,
wantUnmarshalErr
:
true
},
// date
{
str
:
"2013-10-08"
,
value
:
DateTest
{
time
.
Date
(
2013
,
10
,
8
,
0
,
0
,
0
,
0
,
localLoc
)},
tag
:
"no:dateTime"
},
{
str
:
"20131008"
,
value
:
DateTest
{
time
.
Date
(
2013
,
10
,
8
,
0
,
0
,
0
,
0
,
localLoc
)},
noMarshal
:
true
,
tag
:
"no:dateTime"
},
{
str
:
"2013-10-08T10:30:50"
,
value
:
DateTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:dateTime"
},
{
str
:
"2013-10-08T10:30:50Z"
,
value
:
DateTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:dateTime"
},
{
str
:
""
,
value
:
DateTest
{},
wantMarshalErr
:
true
,
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"-1"
,
value
:
DateTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
// time
{
str
:
"00:00:00"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
0
}}},
{
str
:
"000000"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
0
}},
noMarshal
:
true
},
{
str
:
"24:00:00"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
24
*
time
.
Hour
}},
noMarshal
:
true
},
// ISO8601 special case
{
str
:
"24:01:00"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"24:00:01"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"25:00:00"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"00:60:00"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"00:00:60"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"01:02:03"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
time010203
}}},
{
str
:
"010203"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
time010203
}},
noMarshal
:
true
},
{
str
:
"23:59:59"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
time235959
}}},
{
str
:
"235959"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
time235959
}},
noMarshal
:
true
},
{
str
:
"01:02"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
time0102
}},
noMarshal
:
true
},
{
str
:
"0102"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
time0102
}},
noMarshal
:
true
},
{
str
:
"01"
,
value
:
TimeOfDayTest
{
TimeOfDay
{
FromMidnight
:
time01
}},
noMarshal
:
true
},
{
str
:
"foo 01:02:03"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"foo
\n
01:02:03"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03 foo"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03
\n
foo"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03Z"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03+01"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03+01:23"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03+0123"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03-01"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03-01:23"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
{
str
:
"01:02:03-0123"
,
value
:
TimeOfDayTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:time.tz"
},
// time.tz
{
str
:
"24:00:01"
,
value
:
TimeOfDayTzTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"01Z"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time01
,
true
,
0
}},
noMarshal
:
true
},
{
str
:
"01:02:03Z"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time010203
,
true
,
0
}}},
{
str
:
"01+01"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time01
,
true
,
3600
}},
noMarshal
:
true
},
{
str
:
"01:02:03+01"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time010203
,
true
,
3600
}},
noMarshal
:
true
},
{
str
:
"01:02:03+01:23"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time010203
,
true
,
3600
+
23
*
60
}}},
{
str
:
"01:02:03+0123"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time010203
,
true
,
3600
+
23
*
60
}},
noMarshal
:
true
},
{
str
:
"01:02:03-01"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time010203
,
true
,
-
3600
}},
noMarshal
:
true
},
{
str
:
"01:02:03-01:23"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time010203
,
true
,
-
(
3600
+
23
*
60
)}}},
{
str
:
"01:02:03-0123"
,
value
:
TimeOfDayTzTest
{
TimeOfDay
{
time010203
,
true
,
-
(
3600
+
23
*
60
)}},
noMarshal
:
true
},
// dateTime
{
str
:
"2013-10-08T00:00:00"
,
value
:
DateTimeTest
{
time
.
Date
(
2013
,
10
,
8
,
0
,
0
,
0
,
0
,
localLoc
)},
tag
:
"no:dateTime.tz"
},
{
str
:
"20131008"
,
value
:
DateTimeTest
{
time
.
Date
(
2013
,
10
,
8
,
0
,
0
,
0
,
0
,
localLoc
)},
noMarshal
:
true
},
{
str
:
"2013-10-08T10:30:50"
,
value
:
DateTimeTest
{
time
.
Date
(
2013
,
10
,
8
,
10
,
30
,
50
,
0
,
localLoc
)},
tag
:
"no:dateTime.tz"
},
{
str
:
"2013-10-08T10:30:50T"
,
value
:
DateTimeTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
},
{
str
:
"2013-10-08T10:30:50+01"
,
value
:
DateTimeTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:dateTime.tz"
},
{
str
:
"2013-10-08T10:30:50+01:23"
,
value
:
DateTimeTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:dateTime.tz"
},
{
str
:
"2013-10-08T10:30:50+0123"
,
value
:
DateTimeTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:dateTime.tz"
},
{
str
:
"2013-10-08T10:30:50-01"
,
value
:
DateTimeTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:dateTime.tz"
},
{
str
:
"2013-10-08T10:30:50-01:23"
,
value
:
DateTimeTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:dateTime.tz"
},
{
str
:
"2013-10-08T10:30:50-0123"
,
value
:
DateTimeTest
{},
wantUnmarshalErr
:
true
,
noMarshal
:
true
,
tag
:
"no:dateTime.tz"
},
// dateTime.tz
{
str
:
"2013-10-08T10:30:50"
,
value
:
DateTimeTzTest
{
time
.
Date
(
2013
,
10
,
8
,
10
,
30
,
50
,
0
,
localLoc
)},
noMarshal
:
true
},
{
str
:
"2013-10-08T10:30:50+01"
,
value
:
DateTimeTzTest
{
time
.
Date
(
2013
,
10
,
8
,
10
,
30
,
50
,
0
,
time
.
FixedZone
(
"+01:00"
,
3600
))},
noMarshal
:
true
},
{
str
:
"2013-10-08T10:30:50+01:23"
,
value
:
DateTimeTzTest
{
time
.
Date
(
2013
,
10
,
8
,
10
,
30
,
50
,
0
,
time
.
FixedZone
(
"+01:23"
,
3600
+
23
*
60
))}},
{
str
:
"2013-10-08T10:30:50+0123"
,
value
:
DateTimeTzTest
{
time
.
Date
(
2013
,
10
,
8
,
10
,
30
,
50
,
0
,
time
.
FixedZone
(
"+01:23"
,
3600
+
23
*
60
))},
noMarshal
:
true
},
{
str
:
"2013-10-08T10:30:50-01"
,
value
:
DateTimeTzTest
{
time
.
Date
(
2013
,
10
,
8
,
10
,
30
,
50
,
0
,
time
.
FixedZone
(
"-01:00"
,
-
3600
))},
noMarshal
:
true
},
{
str
:
"2013-10-08T10:30:50-01:23"
,
value
:
DateTimeTzTest
{
time
.
Date
(
2013
,
10
,
8
,
10
,
30
,
50
,
0
,
time
.
FixedZone
(
"-01:23"
,
-
(
3600
+
23
*
60
)))}},
{
str
:
"2013-10-08T10:30:50-0123"
,
value
:
DateTimeTzTest
{
time
.
Date
(
2013
,
10
,
8
,
10
,
30
,
50
,
0
,
time
.
FixedZone
(
"-01:23"
,
-
(
3600
+
23
*
60
)))},
noMarshal
:
true
},
// boolean
{
str
:
"0"
,
value
:
BooleanTest
(
false
)},
{
str
:
"1"
,
value
:
BooleanTest
(
true
)},
{
str
:
"false"
,
value
:
BooleanTest
(
false
),
noMarshal
:
true
},
{
str
:
"true"
,
value
:
BooleanTest
(
true
),
noMarshal
:
true
},
{
str
:
"no"
,
value
:
BooleanTest
(
false
),
noMarshal
:
true
},
{
str
:
"yes"
,
value
:
BooleanTest
(
true
),
noMarshal
:
true
},
{
str
:
""
,
value
:
BooleanTest
(
false
),
noMarshal
:
true
,
wantUnmarshalErr
:
true
},
{
str
:
"other"
,
value
:
BooleanTest
(
false
),
noMarshal
:
true
,
wantUnmarshalErr
:
true
},
{
str
:
"2"
,
value
:
BooleanTest
(
false
),
noMarshal
:
true
,
wantUnmarshalErr
:
true
},
{
str
:
"-1"
,
value
:
BooleanTest
(
false
),
noMarshal
:
true
,
wantUnmarshalErr
:
true
},
// bin.base64
{
str
:
""
,
value
:
BinBase64Test
{}},
{
str
:
"YQ=="
,
value
:
BinBase64Test
(
"a"
)},
{
str
:
"TG9uZ2VyIFN0cmluZy4="
,
value
:
BinBase64Test
(
"Longer String."
)},
{
str
:
"TG9uZ2VyIEFsaWduZWQu"
,
value
:
BinBase64Test
(
"Longer Aligned."
)},
// bin.hex
{
str
:
""
,
value
:
BinHexTest
{}},
{
str
:
"61"
,
value
:
BinHexTest
(
"a"
)},
{
str
:
"4c6f6e67657220537472696e672e"
,
value
:
BinHexTest
(
"Longer String."
)},
{
str
:
"4C6F6E67657220537472696E672E"
,
value
:
BinHexTest
(
"Longer String."
),
noMarshal
:
true
},
// uri
{
str
:
"http://example.com/path"
,
value
:
URITest
{
&
url
.
URL
{
Scheme
:
"http"
,
Host
:
"example.com"
,
Path
:
"/path"
}}},
}
// Generate extra test cases from convTests that implement duper.
var
extras
[]
testCase
for
i
:=
range
tests
{
if
duper
,
ok
:=
tests
[
i
]
.
value
.
(
duper
);
ok
{
dupes
:=
duper
.
Dupe
(
tests
[
i
]
.
tag
)
for
_
,
duped
:=
range
dupes
{
dupedCase
:=
testCase
(
tests
[
i
])
dupedCase
.
value
=
duped
extras
=
append
(
extras
,
dupedCase
)
}
}
}
tests
=
append
(
tests
,
extras
...
)
for
_
,
test
:=
range
tests
{
if
test
.
noMarshal
{
}
else
if
resultStr
,
err
:=
test
.
value
.
Marshal
();
err
!=
nil
&&
!
test
.
wantMarshalErr
{
t
.
Errorf
(
"For %T marshal %v, want %q, got error: %v"
,
test
.
value
,
test
.
value
,
test
.
str
,
err
)
}
else
if
err
==
nil
&&
test
.
wantMarshalErr
{
t
.
Errorf
(
"For %T marshal %v, want error, got %q"
,
test
.
value
,
test
.
value
,
resultStr
)
}
else
if
err
==
nil
&&
resultStr
!=
test
.
str
{
t
.
Errorf
(
"For %T marshal %v, want %q, got %q"
,
test
.
value
,
test
.
value
,
test
.
str
,
resultStr
)
}
if
test
.
noUnMarshal
{
}
else
if
resultValue
,
err
:=
test
.
value
.
Unmarshal
(
test
.
str
);
err
!=
nil
&&
!
test
.
wantUnmarshalErr
{
t
.
Errorf
(
"For %T unmarshal %q, want %v, got error: %v"
,
test
.
value
,
test
.
str
,
test
.
value
,
err
)
}
else
if
err
==
nil
&&
test
.
wantUnmarshalErr
{
t
.
Errorf
(
"For %T unmarshal %q, want error, got %v"
,
test
.
value
,
test
.
str
,
resultValue
)
}
else
if
err
==
nil
&&
!
test
.
value
.
Equal
(
resultValue
)
{
t
.
Errorf
(
"For %T unmarshal %q, want %v, got %v"
,
test
.
value
,
test
.
str
,
test
.
value
,
resultValue
)
}
}
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/ssdp/registry.go
deleted
100644 → 0
View file @
a40ef343
package
ssdp
import
(
"fmt"
"log"
"net/http"
"net/url"
"regexp"
"strconv"
"sync"
"time"
"gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/httpu"
)
const
(
maxExpiryTimeSeconds
=
24
*
60
*
60
)
var
(
maxAgeRx
=
regexp
.
MustCompile
(
"max-age=([0-9]+)"
)
)
const
(
EventAlive
=
EventType
(
iota
)
EventUpdate
EventByeBye
)
type
EventType
int8
func
(
et
EventType
)
String
()
string
{
switch
et
{
case
EventAlive
:
return
"EventAlive"
case
EventUpdate
:
return
"EventUpdate"
case
EventByeBye
:
return
"EventByeBye"
default
:
return
fmt
.
Sprintf
(
"EventUnknown(%d)"
,
int8
(
et
))
}
}
type
Update
struct
{
// The USN of the service.
USN
string
// What happened.
EventType
EventType
// The entry, which is nil if the service was not known and
// EventType==EventByeBye. The contents of this must not be modified as it is
// shared with the registry and other listeners. Once created, the Registry
// does not modify the Entry value - any updates are replaced with a new
// Entry value.
Entry
*
Entry
}
type
Entry
struct
{
// The address that the entry data was actually received from.
RemoteAddr
string
// Unique Service Name. Identifies a unique instance of a device or service.
USN
string
// Notfication Type. The type of device or service being announced.
NT
string
// Server's self-identifying string.
Server
string
Host
string
// Location of the UPnP root device description.
Location
url
.
URL
// Despite BOOTID,CONFIGID being required fields, apparently they are not
// always set by devices. Set to -1 if not present.
BootID
int32
ConfigID
int32
SearchPort
uint16
// When the last update was received for this entry identified by this USN.
LastUpdate
time
.
Time
// When the last update's cached values are advised to expire.
CacheExpiry
time
.
Time
}
func
newEntryFromRequest
(
r
*
http
.
Request
)
(
*
Entry
,
error
)
{
now
:=
time
.
Now
()
expiryDuration
,
err
:=
parseCacheControlMaxAge
(
r
.
Header
.
Get
(
"CACHE-CONTROL"
))
if
err
!=
nil
{
return
nil
,
fmt
.
Errorf
(
"ssdp: error parsing CACHE-CONTROL max age: %v"
,
err
)
}
loc
,
err
:=
url
.
Parse
(
r
.
Header
.
Get
(
"LOCATION"
))
if
err
!=
nil
{
return
nil
,
fmt
.
Errorf
(
"ssdp: error parsing entry Location URL: %v"
,
err
)
}
bootID
,
err
:=
parseUpnpIntHeader
(
r
.
Header
,
"BOOTID.UPNP.ORG"
,
-
1
)
if
err
!=
nil
{
return
nil
,
err
}
configID
,
err
:=
parseUpnpIntHeader
(
r
.
Header
,
"CONFIGID.UPNP.ORG"
,
-
1
)
if
err
!=
nil
{
return
nil
,
err
}
searchPort
,
err
:=
parseUpnpIntHeader
(
r
.
Header
,
"SEARCHPORT.UPNP.ORG"
,
ssdpSearchPort
)
if
err
!=
nil
{
return
nil
,
err
}
if
searchPort
<
1
||
searchPort
>
65535
{
return
nil
,
fmt
.
Errorf
(
"ssdp: search port %d is out of range"
,
searchPort
)
}
return
&
Entry
{
RemoteAddr
:
r
.
RemoteAddr
,
USN
:
r
.
Header
.
Get
(
"USN"
),
NT
:
r
.
Header
.
Get
(
"NT"
),
Server
:
r
.
Header
.
Get
(
"SERVER"
),
Host
:
r
.
Header
.
Get
(
"HOST"
),
Location
:
*
loc
,
BootID
:
bootID
,
ConfigID
:
configID
,
SearchPort
:
uint16
(
searchPort
),
LastUpdate
:
now
,
CacheExpiry
:
now
.
Add
(
expiryDuration
),
},
nil
}
func
parseCacheControlMaxAge
(
cc
string
)
(
time
.
Duration
,
error
)
{
matches
:=
maxAgeRx
.
FindStringSubmatch
(
cc
)
if
len
(
matches
)
!=
2
{
return
0
,
fmt
.
Errorf
(
"did not find exactly one max-age in cache control header: %q"
,
cc
)
}
expirySeconds
,
err
:=
strconv
.
ParseInt
(
matches
[
1
],
10
,
16
)
if
err
!=
nil
{
return
0
,
err
}
if
expirySeconds
<
1
||
expirySeconds
>
maxExpiryTimeSeconds
{
return
0
,
fmt
.
Errorf
(
"rejecting bad expiry time of %d seconds"
,
expirySeconds
)
}
return
time
.
Duration
(
expirySeconds
)
*
time
.
Second
,
nil
}
// parseUpnpIntHeader is intended to parse the
// {BOOT,CONFIGID,SEARCHPORT}.UPNP.ORG header fields. It returns the def if
// the head is empty or missing.
func
parseUpnpIntHeader
(
headers
http
.
Header
,
headerName
string
,
def
int32
)
(
int32
,
error
)
{
s
:=
headers
.
Get
(
headerName
)
if
s
==
""
{
return
def
,
nil
}
v
,
err
:=
strconv
.
ParseInt
(
s
,
10
,
32
)
if
err
!=
nil
{
return
0
,
fmt
.
Errorf
(
"ssdp: could not parse header %s: %v"
,
headerName
,
err
)
}
return
int32
(
v
),
nil
}
var
_
httpu
.
Handler
=
new
(
Registry
)
// Registry maintains knowledge of discovered devices and services.
//
// NOTE: the interface for this is experimental and may change, or go away
// entirely.
type
Registry
struct
{
lock
sync
.
Mutex
byUSN
map
[
string
]
*
Entry
listenersLock
sync
.
RWMutex
listeners
map
[
chan
<-
Update
]
struct
{}
}
func
NewRegistry
()
*
Registry
{
return
&
Registry
{
byUSN
:
make
(
map
[
string
]
*
Entry
),
listeners
:
make
(
map
[
chan
<-
Update
]
struct
{}),
}
}
// NewServerAndRegistry is a convenience function to create a registry, and an
// httpu server to pass it messages. Call ListenAndServe on the server for
// messages to be processed.
func
NewServerAndRegistry
()
(
*
httpu
.
Server
,
*
Registry
)
{
reg
:=
NewRegistry
()
srv
:=
&
httpu
.
Server
{
Addr
:
ssdpUDP4Addr
,
Multicast
:
true
,
Handler
:
reg
,
}
return
srv
,
reg
}
func
(
reg
*
Registry
)
AddListener
(
c
chan
<-
Update
)
{
reg
.
listenersLock
.
Lock
()
defer
reg
.
listenersLock
.
Unlock
()
reg
.
listeners
[
c
]
=
struct
{}{}
}
func
(
reg
*
Registry
)
RemoveListener
(
c
chan
<-
Update
)
{
reg
.
listenersLock
.
Lock
()
defer
reg
.
listenersLock
.
Unlock
()
delete
(
reg
.
listeners
,
c
)
}
func
(
reg
*
Registry
)
sendUpdate
(
u
Update
)
{
reg
.
listenersLock
.
RLock
()
defer
reg
.
listenersLock
.
RUnlock
()
for
c
:=
range
reg
.
listeners
{
c
<-
u
}
}
// GetService returns known service (or device) entries for the given service
// URN.
func
(
reg
*
Registry
)
GetService
(
serviceURN
string
)
[]
*
Entry
{
// Currently assumes that the map is small, so we do a linear search rather
// than indexed to avoid maintaining two maps.
var
results
[]
*
Entry
reg
.
lock
.
Lock
()
defer
reg
.
lock
.
Unlock
()
for
_
,
entry
:=
range
reg
.
byUSN
{
if
entry
.
NT
==
serviceURN
{
results
=
append
(
results
,
entry
)
}
}
return
results
}
// ServeMessage implements httpu.Handler, and uses SSDP NOTIFY requests to
// maintain the registry of devices and services.
func
(
reg
*
Registry
)
ServeMessage
(
r
*
http
.
Request
)
{
if
r
.
Method
!=
methodNotify
{
return
}
nts
:=
r
.
Header
.
Get
(
"nts"
)
var
err
error
switch
nts
{
case
ntsAlive
:
err
=
reg
.
handleNTSAlive
(
r
)
case
ntsUpdate
:
err
=
reg
.
handleNTSUpdate
(
r
)
case
ntsByebye
:
err
=
reg
.
handleNTSByebye
(
r
)
default
:
err
=
fmt
.
Errorf
(
"unknown NTS value: %q"
,
nts
)
}
if
err
!=
nil
{
log
.
Printf
(
"goupnp/ssdp: failed to handle %s message from %s: %v"
,
nts
,
r
.
RemoteAddr
,
err
)
}
}
func
(
reg
*
Registry
)
handleNTSAlive
(
r
*
http
.
Request
)
error
{
entry
,
err
:=
newEntryFromRequest
(
r
)
if
err
!=
nil
{
return
err
}
reg
.
lock
.
Lock
()
reg
.
byUSN
[
entry
.
USN
]
=
entry
reg
.
lock
.
Unlock
()
reg
.
sendUpdate
(
Update
{
USN
:
entry
.
USN
,
EventType
:
EventAlive
,
Entry
:
entry
,
})
return
nil
}
func
(
reg
*
Registry
)
handleNTSUpdate
(
r
*
http
.
Request
)
error
{
entry
,
err
:=
newEntryFromRequest
(
r
)
if
err
!=
nil
{
return
err
}
nextBootID
,
err
:=
parseUpnpIntHeader
(
r
.
Header
,
"NEXTBOOTID.UPNP.ORG"
,
-
1
)
if
err
!=
nil
{
return
err
}
entry
.
BootID
=
nextBootID
reg
.
lock
.
Lock
()
reg
.
byUSN
[
entry
.
USN
]
=
entry
reg
.
lock
.
Unlock
()
reg
.
sendUpdate
(
Update
{
USN
:
entry
.
USN
,
EventType
:
EventUpdate
,
Entry
:
entry
,
})
return
nil
}
func
(
reg
*
Registry
)
handleNTSByebye
(
r
*
http
.
Request
)
error
{
usn
:=
r
.
Header
.
Get
(
"USN"
)
reg
.
lock
.
Lock
()
entry
:=
reg
.
byUSN
[
usn
]
delete
(
reg
.
byUSN
,
usn
)
reg
.
lock
.
Unlock
()
reg
.
sendUpdate
(
Update
{
USN
:
usn
,
EventType
:
EventByeBye
,
Entry
:
entry
,
})
return
nil
}
vendor/gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/ssdp/ssdp.go
deleted
100644 → 0
View file @
a40ef343
package
ssdp
import
(
"errors"
"log"
"net/http"
"net/url"
"strconv"
"time"
"gx/QmQzr5XPAoSamewaq7HxL2W3fUXrA9gLCQJx4t9PBmdxmQ/goupnp/httpu"
)
const
(
ssdpDiscover
=
`"ssdp:discover"`
ntsAlive
=
`ssdp:alive`
ntsByebye
=
`ssdp:byebye`
ntsUpdate
=
`ssdp:update`
ssdpUDP4Addr
=
"239.255.255.250:1900"
ssdpSearchPort
=
1900
methodSearch
=
"M-SEARCH"
methodNotify
=
"NOTIFY"
)
// SSDPRawSearch performs a fairly raw SSDP search request, and returns the
// unique response(s) that it receives. Each response has the requested
// searchTarget, a USN, and a valid location. maxWaitSeconds states how long to
// wait for responses in seconds, and must be a minimum of 1 (the
// implementation waits an additional 100ms for responses to arrive), 2 is a
// reasonable value for this. numSends is the number of requests to send - 3 is
// a reasonable value for this.
func
SSDPRawSearch
(
httpu
*
httpu
.
HTTPUClient
,
searchTarget
string
,
maxWaitSeconds
int
,
numSends
int
)
([]
*
http
.
Response
,
error
)
{
if
maxWaitSeconds
<
1
{
return
nil
,
errors
.
New
(
"ssdp: maxWaitSeconds must be >= 1"
)
}
seenUsns
:=
make
(
map
[
string
]
bool
)
var
responses
[]
*
http
.
Response
req
:=
http
.
Request
{
Method
:
methodSearch
,
// TODO: Support both IPv4 and IPv6.
Host
:
ssdpUDP4Addr
,
URL
:
&
url
.
URL
{
Opaque
:
"*"
},
Header
:
http
.
Header
{
// Putting headers in here avoids them being title-cased.
// (The UPnP discovery protocol uses case-sensitive headers)
"HOST"
:
[]
string
{
ssdpUDP4Addr
},
"MX"
:
[]
string
{
strconv
.
FormatInt
(
int64
(
maxWaitSeconds
),
10
)},
"MAN"
:
[]
string
{
ssdpDiscover
},
"ST"
:
[]
string
{
searchTarget
},
},
}
allResponses
,
err
:=
httpu
.
Do
(
&
req
,
time
.
Duration
(
maxWaitSeconds
)
*
time
.
Second
+
100
*
time
.
Millisecond
,
numSends
)
if
err
!=
nil
{
return
nil
,
err
}
for
_
,
response
:=
range
allResponses
{
if
response
.
StatusCode
!=
200
{
log
.
Printf
(
"ssdp: got response status code %q in search response"
,
response
.
Status
)
continue
}
if
st
:=
response
.
Header
.
Get
(
"ST"
);
st
!=
searchTarget
{
log
.
Printf
(
"ssdp: got unexpected search target result %q"
,
st
)
continue
}
location
,
err
:=
response
.
Location
()
if
err
!=
nil
{
log
.
Printf
(
"ssdp: no usable location in search response (discarding): %v"
,
err
)
continue
}
usn
:=
response
.
Header
.
Get
(
"USN"
)
if
usn
==
""
{
log
.
Printf
(
"ssdp: empty/missing USN in search response (using location instead): %v"
,
err
)
usn
=
location
.
String
()
}
if
_
,
alreadySeen
:=
seenUsns
[
usn
];
!
alreadySeen
{
seenUsns
[
usn
]
=
true
responses
=
append
(
responses
,
response
)
}
}
return
responses
,
nil
}
vendor/gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/.gxignore
deleted
100644 → 0
View file @
a40ef343
Godeps/*
\ No newline at end of file
vendor/gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/CONTRIBUTING.md
deleted
100644 → 0
View file @
a40ef343
# Contributing to SpdyStream
Want to hack on spdystream? Awesome! Here are instructions to get you
started.
SpdyStream is a part of the
[
Docker
](
https://docker.io
)
project, and follows
the same rules and principles. If you're already familiar with the way
Docker does things, you'll feel right at home.
Otherwise, go read
[
Docker's contributions guidelines
](
https://github.com/dotcloud/docker/blob/master/CONTRIBUTING.md
)
.
Happy hacking!
vendor/gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/LICENSE
deleted
100644 → 0
View file @
a40ef343
Apache License
Version 2.0, January 2004
http://www.apache.org/licenses/
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
1. Definitions.
"License" shall mean the terms and conditions for use, reproduction,
and distribution as defined by Sections 1 through 9 of this document.
"Licensor" shall mean the copyright owner or entity authorized by
the copyright owner that is granting the License.
"Legal Entity" shall mean the union of the acting entity and all
other entities that control, are controlled by, or are under common
control with that entity. For the purposes of this definition,
"control" means (i) the power, direct or indirect, to cause the
direction or management of such entity, whether by contract or
otherwise, or (ii) ownership of fifty percent (50%) or more of the
outstanding shares, or (iii) beneficial ownership of such entity.
"You" (or "Your") shall mean an individual or Legal Entity
exercising permissions granted by this License.
"Source" form shall mean the preferred form for making modifications,
including but not limited to software source code, documentation
source, and configuration files.
"Object" form shall mean any form resulting from mechanical
transformation or translation of a Source form, including but
not limited to compiled object code, generated documentation,
and conversions to other media types.
"Work" shall mean the work of authorship, whether in Source or
Object form, made available under the License, as indicated by a
copyright notice that is included in or attached to the work
(an example is provided in the Appendix below).
"Derivative Works" shall mean any work, whether in Source or Object
form, that is based on (or derived from) the Work and for which the
editorial revisions, annotations, elaborations, or other modifications
represent, as a whole, an original work of authorship. For the purposes
of this License, Derivative Works shall not include works that remain
separable from, or merely link (or bind by name) to the interfaces of,
the Work and Derivative Works thereof.
"Contribution" shall mean any work of authorship, including
the original version of the Work and any modifications or additions
to that Work or Derivative Works thereof, that is intentionally
submitted to Licensor for inclusion in the Work by the copyright owner
or by an individual or Legal Entity authorized to submit on behalf of
the copyright owner. For the purposes of this definition, "submitted"
means any form of electronic, verbal, or written communication sent
to the Licensor or its representatives, including but not limited to
communication on electronic mailing lists, source code control systems,
and issue tracking systems that are managed by, or on behalf of, the
Licensor for the purpose of discussing and improving the Work, but
excluding communication that is conspicuously marked or otherwise
designated in writing by the copyright owner as "Not a Contribution."
"Contributor" shall mean Licensor and any individual or Legal Entity
on behalf of whom a Contribution has been received by Licensor and
subsequently incorporated within the Work.
2. Grant of Copyright License. Subject to the terms and conditions of
this License, each Contributor hereby grants to You a perpetual,
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
copyright license to reproduce, prepare Derivative Works of,
publicly display, publicly perform, sublicense, and distribute the
Work and such Derivative Works in Source or Object form.
3. Grant of Patent License. Subject to the terms and conditions of
this License, each Contributor hereby grants to You a perpetual,
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
(except as stated in this section) patent license to make, have made,
use, offer to sell, sell, import, and otherwise transfer the Work,
where such license applies only to those patent claims licensable
by such Contributor that are necessarily infringed by their
Contribution(s) alone or by combination of their Contribution(s)
with the Work to which such Contribution(s) was submitted. If You
institute patent litigation against any entity (including a
cross-claim or counterclaim in a lawsuit) alleging that the Work
or a Contribution incorporated within the Work constitutes direct
or contributory patent infringement, then any patent licenses
granted to You under this License for that Work shall terminate
as of the date such litigation is filed.
4. Redistribution. You may reproduce and distribute copies of the
Work or Derivative Works thereof in any medium, with or without
modifications, and in Source or Object form, provided that You
meet the following conditions:
(a) You must give any other recipients of the Work or
Derivative Works a copy of this License; and
(b) You must cause any modified files to carry prominent notices
stating that You changed the files; and
(c) You must retain, in the Source form of any Derivative Works
that You distribute, all copyright, patent, trademark, and
attribution notices from the Source form of the Work,
excluding those notices that do not pertain to any part of
the Derivative Works; and
(d) If the Work includes a "NOTICE" text file as part of its
distribution, then any Derivative Works that You distribute must
include a readable copy of the attribution notices contained
within such NOTICE file, excluding those notices that do not
pertain to any part of the Derivative Works, in at least one
of the following places: within a NOTICE text file distributed
as part of the Derivative Works; within the Source form or
documentation, if provided along with the Derivative Works; or,
within a display generated by the Derivative Works, if and
wherever such third-party notices normally appear. The contents
of the NOTICE file are for informational purposes only and
do not modify the License. You may add Your own attribution
notices within Derivative Works that You distribute, alongside
or as an addendum to the NOTICE text from the Work, provided
that such additional attribution notices cannot be construed
as modifying the License.
You may add Your own copyright statement to Your modifications and
may provide additional or different license terms and conditions
for use, reproduction, or distribution of Your modifications, or
for any such Derivative Works as a whole, provided Your use,
reproduction, and distribution of the Work otherwise complies with
the conditions stated in this License.
5. Submission of Contributions. Unless You explicitly state otherwise,
any Contribution intentionally submitted for inclusion in the Work
by You to the Licensor shall be under the terms and conditions of
this License, without any additional terms or conditions.
Notwithstanding the above, nothing herein shall supersede or modify
the terms of any separate license agreement you may have executed
with Licensor regarding such Contributions.
6. Trademarks. This License does not grant permission to use the trade
names, trademarks, service marks, or product names of the Licensor,
except as required for reasonable and customary use in describing the
origin of the Work and reproducing the content of the NOTICE file.
7. Disclaimer of Warranty. Unless required by applicable law or
agreed to in writing, Licensor provides the Work (and each
Contributor provides its Contributions) on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
implied, including, without limitation, any warranties or conditions
of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
PARTICULAR PURPOSE. You are solely responsible for determining the
appropriateness of using or redistributing the Work and assume any
risks associated with Your exercise of permissions under this License.
8. Limitation of Liability. In no event and under no legal theory,
whether in tort (including negligence), contract, or otherwise,
unless required by applicable law (such as deliberate and grossly
negligent acts) or agreed to in writing, shall any Contributor be
liable to You for damages, including any direct, indirect, special,
incidental, or consequential damages of any character arising as a
result of this License or out of the use or inability to use the
Work (including but not limited to damages for loss of goodwill,
work stoppage, computer failure or malfunction, or any and all
other commercial damages or losses), even if such Contributor
has been advised of the possibility of such damages.
9. Accepting Warranty or Additional Liability. While redistributing
the Work or Derivative Works thereof, You may choose to offer,
and charge a fee for, acceptance of support, warranty, indemnity,
or other liability obligations and/or rights consistent with this
License. However, in accepting such obligations, You may act only
on Your own behalf and on Your sole responsibility, not on behalf
of any other Contributor, and only if You agree to indemnify,
defend, and hold each Contributor harmless for any liability
incurred by, or claims asserted against, such Contributor by reason
of your accepting any such warranty or additional liability.
END OF TERMS AND CONDITIONS
Copyright 2014-2015 Docker, Inc.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
vendor/gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/LICENSE.docs
deleted
100644 → 0
View file @
a40ef343
Attribution-ShareAlike 4.0 International
=======================================================================
Creative Commons Corporation ("Creative Commons") is not a law firm and
does not provide legal services or legal advice. Distribution of
Creative Commons public licenses does not create a lawyer-client or
other relationship. Creative Commons makes its licenses and related
information available on an "as-is" basis. Creative Commons gives no
warranties regarding its licenses, any material licensed under their
terms and conditions, or any related information. Creative Commons
disclaims all liability for damages resulting from their use to the
fullest extent possible.
Using Creative Commons Public Licenses
Creative Commons public licenses provide a standard set of terms and
conditions that creators and other rights holders may use to share
original works of authorship and other material subject to copyright
and certain other rights specified in the public license below. The
following considerations are for informational purposes only, are not
exhaustive, and do not form part of our licenses.
Considerations for licensors: Our public licenses are
intended for use by those authorized to give the public
permission to use material in ways otherwise restricted by
copyright and certain other rights. Our licenses are
irrevocable. Licensors should read and understand the terms
and conditions of the license they choose before applying it.
Licensors should also secure all rights necessary before
applying our licenses so that the public can reuse the
material as expected. Licensors should clearly mark any
material not subject to the license. This includes other CC-
licensed material, or material used under an exception or
limitation to copyright. More considerations for licensors:
wiki.creativecommons.org/Considerations_for_licensors
Considerations for the public: By using one of our public
licenses, a licensor grants the public permission to use the
licensed material under specified terms and conditions. If
the licensor's permission is not necessary for any reason--for
example, because of any applicable exception or limitation to
copyright--then that use is not regulated by the license. Our
licenses grant only permissions under copyright and certain
other rights that a licensor has authority to grant. Use of
the licensed material may still be restricted for other
reasons, including because others have copyright or other
rights in the material. A licensor may make special requests,
such as asking that all changes be marked or described.
Although not required by our licenses, you are encouraged to
respect those requests where reasonable. More_considerations
for the public:
wiki.creativecommons.org/Considerations_for_licensees
=======================================================================
Creative Commons Attribution-ShareAlike 4.0 International Public
License
By exercising the Licensed Rights (defined below), You accept and agree
to be bound by the terms and conditions of this Creative Commons
Attribution-ShareAlike 4.0 International Public License ("Public
License"). To the extent this Public License may be interpreted as a
contract, You are granted the Licensed Rights in consideration of Your
acceptance of these terms and conditions, and the Licensor grants You
such rights in consideration of benefits the Licensor receives from
making the Licensed Material available under these terms and
conditions.
Section 1 -- Definitions.
a. Adapted Material means material subject to Copyright and Similar
Rights that is derived from or based upon the Licensed Material
and in which the Licensed Material is translated, altered,
arranged, transformed, or otherwise modified in a manner requiring
permission under the Copyright and Similar Rights held by the
Licensor. For purposes of this Public License, where the Licensed
Material is a musical work, performance, or sound recording,
Adapted Material is always produced where the Licensed Material is
synched in timed relation with a moving image.
b. Adapter's License means the license You apply to Your Copyright
and Similar Rights in Your contributions to Adapted Material in
accordance with the terms and conditions of this Public License.
c. BY-SA Compatible License means a license listed at
creativecommons.org/compatiblelicenses, approved by Creative
Commons as essentially the equivalent of this Public License.
d. Copyright and Similar Rights means copyright and/or similar rights
closely related to copyright including, without limitation,
performance, broadcast, sound recording, and Sui Generis Database
Rights, without regard to how the rights are labeled or
categorized. For purposes of this Public License, the rights
specified in Section 2(b)(1)-(2) are not Copyright and Similar
Rights.
e. Effective Technological Measures means those measures that, in the
absence of proper authority, may not be circumvented under laws
fulfilling obligations under Article 11 of the WIPO Copyright
Treaty adopted on December 20, 1996, and/or similar international
agreements.
f. Exceptions and Limitations means fair use, fair dealing, and/or
any other exception or limitation to Copyright and Similar Rights
that applies to Your use of the Licensed Material.
g. License Elements means the license attributes listed in the name
of a Creative Commons Public License. The License Elements of this
Public License are Attribution and ShareAlike.
h. Licensed Material means the artistic or literary work, database,
or other material to which the Licensor applied this Public
License.
i. Licensed Rights means the rights granted to You subject to the
terms and conditions of this Public License, which are limited to
all Copyright and Similar Rights that apply to Your use of the
Licensed Material and that the Licensor has authority to license.
j. Licensor means the individual(s) or entity(ies) granting rights
under this Public License.
k. Share means to provide material to the public by any means or
process that requires permission under the Licensed Rights, such
as reproduction, public display, public performance, distribution,
dissemination, communication, or importation, and to make material
available to the public including in ways that members of the
public may access the material from a place and at a time
individually chosen by them.
l. Sui Generis Database Rights means rights other than copyright
resulting from Directive 96/9/EC of the European Parliament and of
the Council of 11 March 1996 on the legal protection of databases,
as amended and/or succeeded, as well as other essentially
equivalent rights anywhere in the world.
m. You means the individual or entity exercising the Licensed Rights
under this Public License. Your has a corresponding meaning.
Section 2 -- Scope.
a. License grant.
1. Subject to the terms and conditions of this Public License,
the Licensor hereby grants You a worldwide, royalty-free,
non-sublicensable, non-exclusive, irrevocable license to
exercise the Licensed Rights in the Licensed Material to:
a. reproduce and Share the Licensed Material, in whole or
in part; and
b. produce, reproduce, and Share Adapted Material.
2. Exceptions and Limitations. For the avoidance of doubt, where
Exceptions and Limitations apply to Your use, this Public
License does not apply, and You do not need to comply with
its terms and conditions.
3. Term. The term of this Public License is specified in Section
6(a).
4. Media and formats; technical modifications allowed. The
Licensor authorizes You to exercise the Licensed Rights in
all media and formats whether now known or hereafter created,
and to make technical modifications necessary to do so. The
Licensor waives and/or agrees not to assert any right or
authority to forbid You from making technical modifications
necessary to exercise the Licensed Rights, including
technical modifications necessary to circumvent Effective
Technological Measures. For purposes of this Public License,
simply making modifications authorized by this Section 2(a)
(4) never produces Adapted Material.
5. Downstream recipients.
a. Offer from the Licensor -- Licensed Material. Every
recipient of the Licensed Material automatically
receives an offer from the Licensor to exercise the
Licensed Rights under the terms and conditions of this
Public License.
b. Additional offer from the Licensor -- Adapted Material.
Every recipient of Adapted Material from You
automatically receives an offer from the Licensor to
exercise the Licensed Rights in the Adapted Material
under the conditions of the Adapter's License You apply.
c. No downstream restrictions. You may not offer or impose
any additional or different terms or conditions on, or
apply any Effective Technological Measures to, the
Licensed Material if doing so restricts exercise of the
Licensed Rights by any recipient of the Licensed
Material.
6. No endorsement. Nothing in this Public License constitutes or
may be construed as permission to assert or imply that You
are, or that Your use of the Licensed Material is, connected
with, or sponsored, endorsed, or granted official status by,
the Licensor or others designated to receive attribution as
provided in Section 3(a)(1)(A)(i).
b. Other rights.
1. Moral rights, such as the right of integrity, are not
licensed under this Public License, nor are publicity,
privacy, and/or other similar personality rights; however, to
the extent possible, the Licensor waives and/or agrees not to
assert any such rights held by the Licensor to the limited
extent necessary to allow You to exercise the Licensed
Rights, but not otherwise.
2. Patent and trademark rights are not licensed under this
Public License.
3. To the extent possible, the Licensor waives any right to
collect royalties from You for the exercise of the Licensed
Rights, whether directly or through a collecting society
under any voluntary or waivable statutory or compulsory
licensing scheme. In all other cases the Licensor expressly
reserves any right to collect such royalties.
Section 3 -- License Conditions.
Your exercise of the Licensed Rights is expressly made subject to the
following conditions.
a. Attribution.
1. If You Share the Licensed Material (including in modified
form), You must:
a. retain the following if it is supplied by the Licensor
with the Licensed Material:
i. identification of the creator(s) of the Licensed
Material and any others designated to receive
attribution, in any reasonable manner requested by
the Licensor (including by pseudonym if
designated);
ii. a copyright notice;
iii. a notice that refers to this Public License;
iv. a notice that refers to the disclaimer of
warranties;
v. a URI or hyperlink to the Licensed Material to the
extent reasonably practicable;
b. indicate if You modified the Licensed Material and
retain an indication of any previous modifications; and
c. indicate the Licensed Material is licensed under this
Public License, and include the text of, or the URI or
hyperlink to, this Public License.
2. You may satisfy the conditions in Section 3(a)(1) in any
reasonable manner based on the medium, means, and context in
which You Share the Licensed Material. For example, it may be
reasonable to satisfy the conditions by providing a URI or
hyperlink to a resource that includes the required
information.
3. If requested by the Licensor, You must remove any of the
information required by Section 3(a)(1)(A) to the extent
reasonably practicable.
b. ShareAlike.
In addition to the conditions in Section 3(a), if You Share
Adapted Material You produce, the following conditions also apply.
1. The Adapter's License You apply must be a Creative Commons
license with the same License Elements, this version or
later, or a BY-SA Compatible License.
2. You must include the text of, or the URI or hyperlink to, the
Adapter's License You apply. You may satisfy this condition
in any reasonable manner based on the medium, means, and
context in which You Share Adapted Material.
3. You may not offer or impose any additional or different terms
or conditions on, or apply any Effective Technological
Measures to, Adapted Material that restrict exercise of the
rights granted under the Adapter's License You apply.
Section 4 -- Sui Generis Database Rights.
Where the Licensed Rights include Sui Generis Database Rights that
apply to Your use of the Licensed Material:
a. for the avoidance of doubt, Section 2(a)(1) grants You the right
to extract, reuse, reproduce, and Share all or a substantial
portion of the contents of the database;
b. if You include all or a substantial portion of the database
contents in a database in which You have Sui Generis Database
Rights, then the database in which You have Sui Generis Database
Rights (but not its individual contents) is Adapted Material,
including for purposes of Section 3(b); and
c. You must comply with the conditions in Section 3(a) if You Share
all or a substantial portion of the contents of the database.
For the avoidance of doubt, this Section 4 supplements and does not
replace Your obligations under this Public License where the Licensed
Rights include other Copyright and Similar Rights.
Section 5 -- Disclaimer of Warranties and Limitation of Liability.
a. UNLESS OTHERWISE SEPARATELY UNDERTAKEN BY THE LICENSOR, TO THE
EXTENT POSSIBLE, THE LICENSOR OFFERS THE LICENSED MATERIAL AS-IS
AND AS-AVAILABLE, AND MAKES NO REPRESENTATIONS OR WARRANTIES OF
ANY KIND CONCERNING THE LICENSED MATERIAL, WHETHER EXPRESS,
IMPLIED, STATUTORY, OR OTHER. THIS INCLUDES, WITHOUT LIMITATION,
WARRANTIES OF TITLE, MERCHANTABILITY, FITNESS FOR A PARTICULAR
PURPOSE, NON-INFRINGEMENT, ABSENCE OF LATENT OR OTHER DEFECTS,
ACCURACY, OR THE PRESENCE OR ABSENCE OF ERRORS, WHETHER OR NOT
KNOWN OR DISCOVERABLE. WHERE DISCLAIMERS OF WARRANTIES ARE NOT
ALLOWED IN FULL OR IN PART, THIS DISCLAIMER MAY NOT APPLY TO YOU.
b. TO THE EXTENT POSSIBLE, IN NO EVENT WILL THE LICENSOR BE LIABLE
TO YOU ON ANY LEGAL THEORY (INCLUDING, WITHOUT LIMITATION,
NEGLIGENCE) OR OTHERWISE FOR ANY DIRECT, SPECIAL, INDIRECT,
INCIDENTAL, CONSEQUENTIAL, PUNITIVE, EXEMPLARY, OR OTHER LOSSES,
COSTS, EXPENSES, OR DAMAGES ARISING OUT OF THIS PUBLIC LICENSE OR
USE OF THE LICENSED MATERIAL, EVEN IF THE LICENSOR HAS BEEN
ADVISED OF THE POSSIBILITY OF SUCH LOSSES, COSTS, EXPENSES, OR
DAMAGES. WHERE A LIMITATION OF LIABILITY IS NOT ALLOWED IN FULL OR
IN PART, THIS LIMITATION MAY NOT APPLY TO YOU.
c. The disclaimer of warranties and limitation of liability provided
above shall be interpreted in a manner that, to the extent
possible, most closely approximates an absolute disclaimer and
waiver of all liability.
Section 6 -- Term and Termination.
a. This Public License applies for the term of the Copyright and
Similar Rights licensed here. However, if You fail to comply with
this Public License, then Your rights under this Public License
terminate automatically.
b. Where Your right to use the Licensed Material has terminated under
Section 6(a), it reinstates:
1. automatically as of the date the violation is cured, provided
it is cured within 30 days of Your discovery of the
violation; or
2. upon express reinstatement by the Licensor.
For the avoidance of doubt, this Section 6(b) does not affect any
right the Licensor may have to seek remedies for Your violations
of this Public License.
c. For the avoidance of doubt, the Licensor may also offer the
Licensed Material under separate terms or conditions or stop
distributing the Licensed Material at any time; however, doing so
will not terminate this Public License.
d. Sections 1, 5, 6, 7, and 8 survive termination of this Public
License.
Section 7 -- Other Terms and Conditions.
a. The Licensor shall not be bound by any additional or different
terms or conditions communicated by You unless expressly agreed.
b. Any arrangements, understandings, or agreements regarding the
Licensed Material not stated herein are separate from and
independent of the terms and conditions of this Public License.
Section 8 -- Interpretation.
a. For the avoidance of doubt, this Public License does not, and
shall not be interpreted to, reduce, limit, restrict, or impose
conditions on any use of the Licensed Material that could lawfully
be made without permission under this Public License.
b. To the extent possible, if any provision of this Public License is
deemed unenforceable, it shall be automatically reformed to the
minimum extent necessary to make it enforceable. If the provision
cannot be reformed, it shall be severed from this Public License
without affecting the enforceability of the remaining terms and
conditions.
c. No term or condition of this Public License will be waived and no
failure to comply consented to unless expressly agreed to by the
Licensor.
d. Nothing in this Public License constitutes or may be interpreted
as a limitation upon, or waiver of, any privileges and immunities
that apply to the Licensor or You, including from the legal
processes of any jurisdiction or authority.
=======================================================================
Creative Commons is not a party to its public licenses.
Notwithstanding, Creative Commons may elect to apply one of its public
licenses to material it publishes and in those instances will be
considered the "Licensor." Except for the limited purpose of indicating
that material is shared under a Creative Commons public license or as
otherwise permitted by the Creative Commons policies published at
creativecommons.org/policies, Creative Commons does not authorize the
use of the trademark "Creative Commons" or any other trademark or logo
of Creative Commons without its prior written consent including,
without limitation, in connection with any unauthorized modifications
to any of its public licenses or any other arrangements,
understandings, or agreements concerning use of licensed material. For
the avoidance of doubt, this paragraph does not form part of the public
licenses.
Creative Commons may be contacted at creativecommons.org.
vendor/gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/MAINTAINERS
deleted
100644 → 0
View file @
a40ef343
Derek McGowan <derek@docker.com> (@dmcg)
vendor/gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/README.md
deleted
100644 → 0
View file @
a40ef343
# SpdyStream
A multiplexed stream library using spdy
## Usage
Client example (connecting to mirroring server without auth)
```
go
package
main
import
(
"fmt"
"github.com/docker/spdystream"
"net"
"net/http"
)
func
main
()
{
conn
,
err
:=
net
.
Dial
(
"tcp"
,
"localhost:8080"
)
if
err
!=
nil
{
panic
(
err
)
}
spdyConn
,
err
:=
spdystream
.
NewConnection
(
conn
,
false
)
if
err
!=
nil
{
panic
(
err
)
}
go
spdyConn
.
Serve
(
spdystream
.
NoOpStreamHandler
)
stream
,
err
:=
spdyConn
.
CreateStream
(
http
.
Header
{},
nil
,
false
)
if
err
!=
nil
{
panic
(
err
)
}
stream
.
Wait
()
fmt
.
Fprint
(
stream
,
"Writing to stream"
)
buf
:=
make
([]
byte
,
25
)
stream
.
Read
(
buf
)
fmt
.
Println
(
string
(
buf
))
stream
.
Close
()
}
```
Server example (mirroring server without auth)
```
go
package
main
import
(
"github.com/docker/spdystream"
"net"
)
func
main
()
{
listener
,
err
:=
net
.
Listen
(
"tcp"
,
"localhost:8080"
)
if
err
!=
nil
{
panic
(
err
)
}
for
{
conn
,
err
:=
listener
.
Accept
()
if
err
!=
nil
{
panic
(
err
)
}
spdyConn
,
err
:=
spdystream
.
NewConnection
(
conn
,
true
)
if
err
!=
nil
{
panic
(
err
)
}
go
spdyConn
.
Serve
(
spdystream
.
MirrorStreamHandler
)
}
}
```
## Copyright and license
Copyright © 2014-2015 Docker, Inc. All rights reserved, except as follows. Code is released under the Apache 2.0 license. The README.md file, and files in the "docs" folder are licensed under the Creative Commons Attribution 4.0 International License under the terms and conditions set forth in the file "LICENSE.docs". You may obtain a duplicate copy of the same license, titled CC-BY-SA-4.0, at http://creativecommons.org/licenses/by/4.0/.
vendor/gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/connection.go
deleted
100644 → 0
View file @
a40ef343
package
spdystream
import
(
"errors"
"fmt"
"io"
"net"
"net/http"
"sync"
"time"
"gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/spdy"
)
var
(
ErrInvalidStreamId
=
errors
.
New
(
"Invalid stream id"
)
ErrTimeout
=
errors
.
New
(
"Timeout occured"
)
ErrReset
=
errors
.
New
(
"Stream reset"
)
ErrWriteClosedStream
=
errors
.
New
(
"Write on closed stream"
)
)
const
(
FRAME_WORKERS
=
5
QUEUE_SIZE
=
50
)
type
StreamHandler
func
(
stream
*
Stream
)
type
AuthHandler
func
(
header
http
.
Header
,
slot
uint8
,
parent
uint32
)
bool
type
idleAwareFramer
struct
{
f
*
spdy
.
Framer
conn
*
Connection
writeLock
sync
.
Mutex
resetChan
chan
struct
{}
setTimeoutChan
chan
time
.
Duration
timeout
time
.
Duration
}
func
newIdleAwareFramer
(
framer
*
spdy
.
Framer
)
*
idleAwareFramer
{
iaf
:=
&
idleAwareFramer
{
f
:
framer
,
resetChan
:
make
(
chan
struct
{},
2
),
setTimeoutChan
:
make
(
chan
time
.
Duration
),
}
return
iaf
}
func
(
i
*
idleAwareFramer
)
monitor
()
{
var
(
timer
*
time
.
Timer
expired
<-
chan
time
.
Time
resetChan
=
i
.
resetChan
)
Loop
:
for
{
select
{
case
timeout
:=
<-
i
.
setTimeoutChan
:
i
.
timeout
=
timeout
if
timeout
==
0
{
if
timer
!=
nil
{
timer
.
Stop
()
}
}
else
{
if
timer
==
nil
{
timer
=
time
.
NewTimer
(
timeout
)
expired
=
timer
.
C
}
else
{
timer
.
Reset
(
timeout
)
}
}
case
<-
resetChan
:
if
timer
!=
nil
&&
i
.
timeout
>
0
{
timer
.
Reset
(
i
.
timeout
)
}
case
<-
expired
:
i
.
conn
.
streamCond
.
L
.
Lock
()
streams
:=
i
.
conn
.
streams
i
.
conn
.
streams
=
make
(
map
[
spdy
.
StreamId
]
*
Stream
)
i
.
conn
.
streamCond
.
Broadcast
()
i
.
conn
.
streamCond
.
L
.
Unlock
()
go
func
()
{
for
_
,
stream
:=
range
streams
{
stream
.
resetStream
()
}
i
.
conn
.
Close
()
}()
case
<-
i
.
conn
.
closeChan
:
if
timer
!=
nil
{
timer
.
Stop
()
}
// Start a goroutine to drain resetChan. This is needed because we've seen
// some unit tests with large numbers of goroutines get into a situation
// where resetChan fills up, at least 1 call to Write() is still trying to
// send to resetChan, the connection gets closed, and this case statement
// attempts to grab the write lock that Write() already has, causing a
// deadlock.
//
// See https://github.com/docker/spdystream/issues/49 for more details.
go
func
()
{
for
_
=
range
resetChan
{
}
}()
i
.
writeLock
.
Lock
()
close
(
resetChan
)
i
.
resetChan
=
nil
i
.
writeLock
.
Unlock
()
break
Loop
}
}
// Drain resetChan
for
_
=
range
resetChan
{
}
}
func
(
i
*
idleAwareFramer
)
WriteFrame
(
frame
spdy
.
Frame
)
error
{
i
.
writeLock
.
Lock
()
defer
i
.
writeLock
.
Unlock
()
if
i
.
resetChan
==
nil
{
return
io
.
EOF
}
err
:=
i
.
f
.
WriteFrame
(
frame
)
if
err
!=
nil
{
return
err
}
i
.
resetChan
<-
struct
{}{}
return
nil
}
func
(
i
*
idleAwareFramer
)
ReadFrame
()
(
spdy
.
Frame
,
error
)
{
frame
,
err
:=
i
.
f
.
ReadFrame
()
if
err
!=
nil
{
return
nil
,
err
}
// resetChan should never be closed since it is only closed
// when the connection has closed its closeChan. This closure
// only occurs after all Reads have finished
// TODO (dmcgowan): refactor relationship into connection
i
.
resetChan
<-
struct
{}{}
return
frame
,
nil
}
type
Connection
struct
{
conn
net
.
Conn
framer
*
idleAwareFramer
closeChan
chan
bool
goneAway
bool
lastStreamChan
chan
<-
*
Stream
goAwayTimeout
time
.
Duration
closeTimeout
time
.
Duration
streamLock
*
sync
.
RWMutex
streamCond
*
sync
.
Cond
streams
map
[
spdy
.
StreamId
]
*
Stream
nextIdLock
sync
.
Mutex
receiveIdLock
sync
.
Mutex
nextStreamId
spdy
.
StreamId
receivedStreamId
spdy
.
StreamId
pingIdLock
sync
.
Mutex
pingId
uint32
pingChans
map
[
uint32
]
chan
error
shutdownLock
sync
.
Mutex
shutdownChan
chan
error
hasShutdown
bool
// for testing https://github.com/docker/spdystream/pull/56
dataFrameHandler
func
(
*
spdy
.
DataFrame
)
error
}
// NewConnection creates a new spdy connection from an existing
// network connection.
func
NewConnection
(
conn
net
.
Conn
,
server
bool
)
(
*
Connection
,
error
)
{
framer
,
framerErr
:=
spdy
.
NewFramer
(
conn
,
conn
)
if
framerErr
!=
nil
{
return
nil
,
framerErr
}
idleAwareFramer
:=
newIdleAwareFramer
(
framer
)
var
sid
spdy
.
StreamId
var
rid
spdy
.
StreamId
var
pid
uint32
if
server
{
sid
=
2
rid
=
1
pid
=
2
}
else
{
sid
=
1
rid
=
2
pid
=
1
}
streamLock
:=
new
(
sync
.
RWMutex
)
streamCond
:=
sync
.
NewCond
(
streamLock
)
session
:=
&
Connection
{
conn
:
conn
,
framer
:
idleAwareFramer
,
closeChan
:
make
(
chan
bool
),
goAwayTimeout
:
time
.
Duration
(
0
),
closeTimeout
:
time
.
Duration
(
0
),
streamLock
:
streamLock
,
streamCond
:
streamCond
,
streams
:
make
(
map
[
spdy
.
StreamId
]
*
Stream
),
nextStreamId
:
sid
,
receivedStreamId
:
rid
,
pingId
:
pid
,
pingChans
:
make
(
map
[
uint32
]
chan
error
),
shutdownChan
:
make
(
chan
error
),
}
session
.
dataFrameHandler
=
session
.
handleDataFrame
idleAwareFramer
.
conn
=
session
go
idleAwareFramer
.
monitor
()
return
session
,
nil
}
// Ping sends a ping frame across the connection and
// returns the response time
func
(
s
*
Connection
)
Ping
()
(
time
.
Duration
,
error
)
{
pid
:=
s
.
pingId
s
.
pingIdLock
.
Lock
()
if
s
.
pingId
>
0x7ffffffe
{
s
.
pingId
=
s
.
pingId
-
0x7ffffffe
}
else
{
s
.
pingId
=
s
.
pingId
+
2
}
s
.
pingIdLock
.
Unlock
()
pingChan
:=
make
(
chan
error
)
s
.
pingChans
[
pid
]
=
pingChan
defer
delete
(
s
.
pingChans
,
pid
)
frame
:=
&
spdy
.
PingFrame
{
Id
:
pid
}
startTime
:=
time
.
Now
()
writeErr
:=
s
.
framer
.
WriteFrame
(
frame
)
if
writeErr
!=
nil
{
return
time
.
Duration
(
0
),
writeErr
}
select
{
case
<-
s
.
closeChan
:
return
time
.
Duration
(
0
),
errors
.
New
(
"connection closed"
)
case
err
,
ok
:=
<-
pingChan
:
if
ok
&&
err
!=
nil
{
return
time
.
Duration
(
0
),
err
}
break
}
return
time
.
Now
()
.
Sub
(
startTime
),
nil
}
// Serve handles frames sent from the server, including reply frames
// which are needed to fully initiate connections. Both clients and servers
// should call Serve in a separate goroutine before creating streams.
func
(
s
*
Connection
)
Serve
(
newHandler
StreamHandler
)
{
// use a WaitGroup to wait for all frames to be drained after receiving
// go-away.
var
wg
sync
.
WaitGroup
// Parition queues to ensure stream frames are handled
// by the same worker, ensuring order is maintained
frameQueues
:=
make
([]
*
PriorityFrameQueue
,
FRAME_WORKERS
)
for
i
:=
0
;
i
<
FRAME_WORKERS
;
i
++
{
frameQueues
[
i
]
=
NewPriorityFrameQueue
(
QUEUE_SIZE
)
// Ensure frame queue is drained when connection is closed
go
func
(
frameQueue
*
PriorityFrameQueue
)
{
<-
s
.
closeChan
frameQueue
.
Drain
()
}(
frameQueues
[
i
])
wg
.
Add
(
1
)
go
func
(
frameQueue
*
PriorityFrameQueue
)
{
// let the WaitGroup know this worker is done
defer
wg
.
Done
()
s
.
frameHandler
(
frameQueue
,
newHandler
)
}(
frameQueues
[
i
])
}
var
(
partitionRoundRobin
int
goAwayFrame
*
spdy
.
GoAwayFrame
)
for
{
readFrame
,
err
:=
s
.
framer
.
ReadFrame
()
if
err
!=
nil
{
if
err
!=
io
.
EOF
{
fmt
.
Errorf
(
"frame read error: %s"
,
err
)
}
else
{
debugMessage
(
"(%p) EOF received"
,
s
)
}
break
}
var
priority
uint8
var
partition
int
switch
frame
:=
readFrame
.
(
type
)
{
case
*
spdy
.
SynStreamFrame
:
if
s
.
checkStreamFrame
(
frame
)
{
priority
=
frame
.
Priority
partition
=
int
(
frame
.
StreamId
%
FRAME_WORKERS
)
debugMessage
(
"(%p) Add stream frame: %d "
,
s
,
frame
.
StreamId
)
s
.
addStreamFrame
(
frame
)
}
else
{
debugMessage
(
"(%p) Rejected stream frame: %d "
,
s
,
frame
.
StreamId
)
continue
}
case
*
spdy
.
SynReplyFrame
:
priority
=
s
.
getStreamPriority
(
frame
.
StreamId
)
partition
=
int
(
frame
.
StreamId
%
FRAME_WORKERS
)
case
*
spdy
.
DataFrame
:
priority
=
s
.
getStreamPriority
(
frame
.
StreamId
)
partition
=
int
(
frame
.
StreamId
%
FRAME_WORKERS
)
case
*
spdy
.
RstStreamFrame
:
priority
=
s
.
getStreamPriority
(
frame
.
StreamId
)
partition
=
int
(
frame
.
StreamId
%
FRAME_WORKERS
)
case
*
spdy
.
HeadersFrame
:
priority
=
s
.
getStreamPriority
(
frame
.
StreamId
)
partition
=
int
(
frame
.
StreamId
%
FRAME_WORKERS
)
case
*
spdy
.
PingFrame
:
priority
=
0
partition
=
partitionRoundRobin
partitionRoundRobin
=
(
partitionRoundRobin
+
1
)
%
FRAME_WORKERS
case
*
spdy
.
GoAwayFrame
:
// hold on to the go away frame and exit the loop
goAwayFrame
=
frame
break
default
:
priority
=
7
partition
=
partitionRoundRobin
partitionRoundRobin
=
(
partitionRoundRobin
+
1
)
%
FRAME_WORKERS
}
frameQueues
[
partition
]
.
Push
(
readFrame
,
priority
)
}
close
(
s
.
closeChan
)
// wait for all frame handler workers to indicate they've drained their queues
// before handling the go away frame
wg
.
Wait
()
if
goAwayFrame
!=
nil
{
s
.
handleGoAwayFrame
(
goAwayFrame
)
}
// now it's safe to close remote channels and empty s.streams
s
.
streamCond
.
L
.
Lock
()
// notify streams that they're now closed, which will
// unblock any stream Read() calls
for
_
,
stream
:=
range
s
.
streams
{
stream
.
closeRemoteChannels
()
}
s
.
streams
=
make
(
map
[
spdy
.
StreamId
]
*
Stream
)
s
.
streamCond
.
Broadcast
()
s
.
streamCond
.
L
.
Unlock
()
}
func
(
s
*
Connection
)
frameHandler
(
frameQueue
*
PriorityFrameQueue
,
newHandler
StreamHandler
)
{
for
{
popFrame
:=
frameQueue
.
Pop
()
if
popFrame
==
nil
{
return
}
var
frameErr
error
switch
frame
:=
popFrame
.
(
type
)
{
case
*
spdy
.
SynStreamFrame
:
frameErr
=
s
.
handleStreamFrame
(
frame
,
newHandler
)
case
*
spdy
.
SynReplyFrame
:
frameErr
=
s
.
handleReplyFrame
(
frame
)
case
*
spdy
.
DataFrame
:
frameErr
=
s
.
dataFrameHandler
(
frame
)
case
*
spdy
.
RstStreamFrame
:
frameErr
=
s
.
handleResetFrame
(
frame
)
case
*
spdy
.
HeadersFrame
:
frameErr
=
s
.
handleHeaderFrame
(
frame
)
case
*
spdy
.
PingFrame
:
frameErr
=
s
.
handlePingFrame
(
frame
)
case
*
spdy
.
GoAwayFrame
:
frameErr
=
s
.
handleGoAwayFrame
(
frame
)
default
:
frameErr
=
fmt
.
Errorf
(
"unhandled frame type: %T"
,
frame
)
}
if
frameErr
!=
nil
{
fmt
.
Errorf
(
"frame handling error: %s"
,
frameErr
)
}
}
}
func
(
s
*
Connection
)
getStreamPriority
(
streamId
spdy
.
StreamId
)
uint8
{
stream
,
streamOk
:=
s
.
getStream
(
streamId
)
if
!
streamOk
{
return
7
}
return
stream
.
priority
}
func
(
s
*
Connection
)
addStreamFrame
(
frame
*
spdy
.
SynStreamFrame
)
{
var
parent
*
Stream
if
frame
.
AssociatedToStreamId
!=
spdy
.
StreamId
(
0
)
{
parent
,
_
=
s
.
getStream
(
frame
.
AssociatedToStreamId
)
}
stream
:=
&
Stream
{
streamId
:
frame
.
StreamId
,
parent
:
parent
,
conn
:
s
,
startChan
:
make
(
chan
error
),
headers
:
frame
.
Headers
,
finished
:
(
frame
.
CFHeader
.
Flags
&
spdy
.
ControlFlagUnidirectional
)
!=
0x00
,
replyCond
:
sync
.
NewCond
(
new
(
sync
.
Mutex
)),
dataChan
:
make
(
chan
[]
byte
),
headerChan
:
make
(
chan
http
.
Header
),
closeChan
:
make
(
chan
bool
),
}
if
frame
.
CFHeader
.
Flags
&
spdy
.
ControlFlagFin
!=
0x00
{
stream
.
closeRemoteChannels
()
}
s
.
addStream
(
stream
)
}
// checkStreamFrame checks to see if a stream frame is allowed.
// If the stream is invalid, then a reset frame with protocol error
// will be returned.
func
(
s
*
Connection
)
checkStreamFrame
(
frame
*
spdy
.
SynStreamFrame
)
bool
{
s
.
receiveIdLock
.
Lock
()
defer
s
.
receiveIdLock
.
Unlock
()
if
s
.
goneAway
{
return
false
}
validationErr
:=
s
.
validateStreamId
(
frame
.
StreamId
)
if
validationErr
!=
nil
{
go
func
()
{
resetErr
:=
s
.
sendResetFrame
(
spdy
.
ProtocolError
,
frame
.
StreamId
)
if
resetErr
!=
nil
{
fmt
.
Errorf
(
"reset error: %s"
,
resetErr
)
}
}()
return
false
}
return
true
}
func
(
s
*
Connection
)
handleStreamFrame
(
frame
*
spdy
.
SynStreamFrame
,
newHandler
StreamHandler
)
error
{
stream
,
ok
:=
s
.
getStream
(
frame
.
StreamId
)
if
!
ok
{
return
fmt
.
Errorf
(
"Missing stream: %d"
,
frame
.
StreamId
)
}
newHandler
(
stream
)
return
nil
}
func
(
s
*
Connection
)
handleReplyFrame
(
frame
*
spdy
.
SynReplyFrame
)
error
{
debugMessage
(
"(%p) Reply frame received for %d"
,
s
,
frame
.
StreamId
)
stream
,
streamOk
:=
s
.
getStream
(
frame
.
StreamId
)
if
!
streamOk
{
debugMessage
(
"Reply frame gone away for %d"
,
frame
.
StreamId
)
// Stream has already gone away
return
nil
}
if
stream
.
replied
{
// Stream has already received reply
return
nil
}
stream
.
replied
=
true
// TODO Check for error
if
(
frame
.
CFHeader
.
Flags
&
spdy
.
ControlFlagFin
)
!=
0x00
{
s
.
remoteStreamFinish
(
stream
)
}
close
(
stream
.
startChan
)
return
nil
}
func
(
s
*
Connection
)
handleResetFrame
(
frame
*
spdy
.
RstStreamFrame
)
error
{
stream
,
streamOk
:=
s
.
getStream
(
frame
.
StreamId
)
if
!
streamOk
{
// Stream has already been removed
return
nil
}
s
.
removeStream
(
stream
)
stream
.
closeRemoteChannels
()
if
!
stream
.
replied
{
stream
.
replied
=
true
stream
.
startChan
<-
ErrReset
close
(
stream
.
startChan
)
}
stream
.
finishLock
.
Lock
()
stream
.
finished
=
true
stream
.
finishLock
.
Unlock
()
return
nil
}
func
(
s
*
Connection
)
handleHeaderFrame
(
frame
*
spdy
.
HeadersFrame
)
error
{
stream
,
streamOk
:=
s
.
getStream
(
frame
.
StreamId
)
if
!
streamOk
{
// Stream has already gone away
return
nil
}
if
!
stream
.
replied
{
// No reply received...Protocol error?
return
nil
}
// TODO limit headers while not blocking (use buffered chan or goroutine?)
select
{
case
<-
stream
.
closeChan
:
return
nil
case
stream
.
headerChan
<-
frame
.
Headers
:
}
if
(
frame
.
CFHeader
.
Flags
&
spdy
.
ControlFlagFin
)
!=
0x00
{
s
.
remoteStreamFinish
(
stream
)
}
return
nil
}
func
(
s
*
Connection
)
handleDataFrame
(
frame
*
spdy
.
DataFrame
)
error
{
debugMessage
(
"(%p) Data frame received for %d"
,
s
,
frame
.
StreamId
)
stream
,
streamOk
:=
s
.
getStream
(
frame
.
StreamId
)
if
!
streamOk
{
debugMessage
(
"(%p) Data frame gone away for %d"
,
s
,
frame
.
StreamId
)
// Stream has already gone away
return
nil
}
if
!
stream
.
replied
{
debugMessage
(
"(%p) Data frame not replied %d"
,
s
,
frame
.
StreamId
)
// No reply received...Protocol error?
return
nil
}
debugMessage
(
"(%p) (%d) Data frame handling"
,
stream
,
stream
.
streamId
)
if
len
(
frame
.
Data
)
>
0
{
stream
.
dataLock
.
RLock
()
select
{
case
<-
stream
.
closeChan
:
debugMessage
(
"(%p) (%d) Data frame not sent (stream shut down)"
,
stream
,
stream
.
streamId
)
case
stream
.
dataChan
<-
frame
.
Data
:
debugMessage
(
"(%p) (%d) Data frame sent"
,
stream
,
stream
.
streamId
)
}
stream
.
dataLock
.
RUnlock
()
}
if
(
frame
.
Flags
&
spdy
.
DataFlagFin
)
!=
0x00
{
s
.
remoteStreamFinish
(
stream
)
}
return
nil
}
func
(
s
*
Connection
)
handlePingFrame
(
frame
*
spdy
.
PingFrame
)
error
{
if
s
.
pingId
&
0x01
!=
frame
.
Id
&
0x01
{
return
s
.
framer
.
WriteFrame
(
frame
)
}
pingChan
,
pingOk
:=
s
.
pingChans
[
frame
.
Id
]
if
pingOk
{
close
(
pingChan
)
}
return
nil
}
func
(
s
*
Connection
)
handleGoAwayFrame
(
frame
*
spdy
.
GoAwayFrame
)
error
{
debugMessage
(
"(%p) Go away received"
,
s
)
s
.
receiveIdLock
.
Lock
()
if
s
.
goneAway
{
s
.
receiveIdLock
.
Unlock
()
return
nil
}
s
.
goneAway
=
true
s
.
receiveIdLock
.
Unlock
()
if
s
.
lastStreamChan
!=
nil
{
stream
,
_
:=
s
.
getStream
(
frame
.
LastGoodStreamId
)
go
func
()
{
s
.
lastStreamChan
<-
stream
}()
}
// Do not block frame handler waiting for closure
go
s
.
shutdown
(
s
.
goAwayTimeout
)
return
nil
}
func
(
s
*
Connection
)
remoteStreamFinish
(
stream
*
Stream
)
{
stream
.
closeRemoteChannels
()
stream
.
finishLock
.
Lock
()
if
stream
.
finished
{
// Stream is fully closed, cleanup
s
.
removeStream
(
stream
)
}
stream
.
finishLock
.
Unlock
()
}
// CreateStream creates a new spdy stream using the parameters for
// creating the stream frame. The stream frame will be sent upon
// calling this function, however this function does not wait for
// the reply frame. If waiting for the reply is desired, use
// the stream Wait or WaitTimeout function on the stream returned
// by this function.
func
(
s
*
Connection
)
CreateStream
(
headers
http
.
Header
,
parent
*
Stream
,
fin
bool
)
(
*
Stream
,
error
)
{
// MUST synchronize stream creation (all the way to writing the frame)
// as stream IDs **MUST** increase monotonically.
s
.
nextIdLock
.
Lock
()
defer
s
.
nextIdLock
.
Unlock
()
streamId
:=
s
.
getNextStreamId
()
if
streamId
==
0
{
return
nil
,
fmt
.
Errorf
(
"Unable to get new stream id"
)
}
stream
:=
&
Stream
{
streamId
:
streamId
,
parent
:
parent
,
conn
:
s
,
startChan
:
make
(
chan
error
),
headers
:
headers
,
dataChan
:
make
(
chan
[]
byte
),
headerChan
:
make
(
chan
http
.
Header
),
closeChan
:
make
(
chan
bool
),
}
debugMessage
(
"(%p) (%p) Create stream"
,
s
,
stream
)
s
.
addStream
(
stream
)
return
stream
,
s
.
sendStream
(
stream
,
fin
)
}
func
(
s
*
Connection
)
shutdown
(
closeTimeout
time
.
Duration
)
{
// TODO Ensure this isn't called multiple times
s
.
shutdownLock
.
Lock
()
if
s
.
hasShutdown
{
s
.
shutdownLock
.
Unlock
()
return
}
s
.
hasShutdown
=
true
s
.
shutdownLock
.
Unlock
()
var
timeout
<-
chan
time
.
Time
if
closeTimeout
>
time
.
Duration
(
0
)
{
timeout
=
time
.
After
(
closeTimeout
)
}
streamsClosed
:=
make
(
chan
bool
)
go
func
()
{
s
.
streamCond
.
L
.
Lock
()
for
len
(
s
.
streams
)
>
0
{
debugMessage
(
"Streams opened: %d, %#v"
,
len
(
s
.
streams
),
s
.
streams
)
s
.
streamCond
.
Wait
()
}
s
.
streamCond
.
L
.
Unlock
()
close
(
streamsClosed
)
}()
var
err
error
select
{
case
<-
streamsClosed
:
// No active streams, close should be safe
err
=
s
.
conn
.
Close
()
case
<-
timeout
:
// Force ungraceful close
err
=
s
.
conn
.
Close
()
// Wait for cleanup to clear active streams
<-
streamsClosed
}
if
err
!=
nil
{
duration
:=
10
*
time
.
Minute
time
.
AfterFunc
(
duration
,
func
()
{
select
{
case
err
,
ok
:=
<-
s
.
shutdownChan
:
if
ok
{
fmt
.
Errorf
(
"Unhandled close error after %s: %s"
,
duration
,
err
)
}
default
:
}
})
s
.
shutdownChan
<-
err
}
close
(
s
.
shutdownChan
)
return
}
// Closes spdy connection by sending GoAway frame and initiating shutdown
func
(
s
*
Connection
)
Close
()
error
{
s
.
receiveIdLock
.
Lock
()
if
s
.
goneAway
{
s
.
receiveIdLock
.
Unlock
()
return
nil
}
s
.
goneAway
=
true
s
.
receiveIdLock
.
Unlock
()
var
lastStreamId
spdy
.
StreamId
if
s
.
receivedStreamId
>
2
{
lastStreamId
=
s
.
receivedStreamId
-
2
}
goAwayFrame
:=
&
spdy
.
GoAwayFrame
{
LastGoodStreamId
:
lastStreamId
,
Status
:
spdy
.
GoAwayOK
,
}
err
:=
s
.
framer
.
WriteFrame
(
goAwayFrame
)
if
err
!=
nil
{
return
err
}
go
s
.
shutdown
(
s
.
closeTimeout
)
return
nil
}
// CloseWait closes the connection and waits for shutdown
// to finish. Note the underlying network Connection
// is not closed until the end of shutdown.
func
(
s
*
Connection
)
CloseWait
()
error
{
closeErr
:=
s
.
Close
()
if
closeErr
!=
nil
{
return
closeErr
}
shutdownErr
,
ok
:=
<-
s
.
shutdownChan
if
ok
{
return
shutdownErr
}
return
nil
}
// Wait waits for the connection to finish shutdown or for
// the wait timeout duration to expire. This needs to be
// called either after Close has been called or the GOAWAYFRAME
// has been received. If the wait timeout is 0, this function
// will block until shutdown finishes. If wait is never called
// and a shutdown error occurs, that error will be logged as an
// unhandled error.
func
(
s
*
Connection
)
Wait
(
waitTimeout
time
.
Duration
)
error
{
var
timeout
<-
chan
time
.
Time
if
waitTimeout
>
time
.
Duration
(
0
)
{
timeout
=
time
.
After
(
waitTimeout
)
}
select
{
case
err
,
ok
:=
<-
s
.
shutdownChan
:
if
ok
{
return
err
}
case
<-
timeout
:
return
ErrTimeout
}
return
nil
}
// NotifyClose registers a channel to be called when the remote
// peer inidicates connection closure. The last stream to be
// received by the remote will be sent on the channel. The notify
// timeout will determine the duration between go away received
// and the connection being closed.
func
(
s
*
Connection
)
NotifyClose
(
c
chan
<-
*
Stream
,
timeout
time
.
Duration
)
{
s
.
goAwayTimeout
=
timeout
s
.
lastStreamChan
=
c
}
// SetCloseTimeout sets the amount of time close will wait for
// streams to finish before terminating the underlying network
// connection. Setting the timeout to 0 will cause close to
// wait forever, which is the default.
func
(
s
*
Connection
)
SetCloseTimeout
(
timeout
time
.
Duration
)
{
s
.
closeTimeout
=
timeout
}
// SetIdleTimeout sets the amount of time the connection may sit idle before
// it is forcefully terminated.
func
(
s
*
Connection
)
SetIdleTimeout
(
timeout
time
.
Duration
)
{
s
.
framer
.
setTimeoutChan
<-
timeout
}
func
(
s
*
Connection
)
sendHeaders
(
headers
http
.
Header
,
stream
*
Stream
,
fin
bool
)
error
{
var
flags
spdy
.
ControlFlags
if
fin
{
flags
=
spdy
.
ControlFlagFin
}
headerFrame
:=
&
spdy
.
HeadersFrame
{
StreamId
:
stream
.
streamId
,
Headers
:
headers
,
CFHeader
:
spdy
.
ControlFrameHeader
{
Flags
:
flags
},
}
return
s
.
framer
.
WriteFrame
(
headerFrame
)
}
func
(
s
*
Connection
)
sendReply
(
headers
http
.
Header
,
stream
*
Stream
,
fin
bool
)
error
{
var
flags
spdy
.
ControlFlags
if
fin
{
flags
=
spdy
.
ControlFlagFin
}
replyFrame
:=
&
spdy
.
SynReplyFrame
{
StreamId
:
stream
.
streamId
,
Headers
:
headers
,
CFHeader
:
spdy
.
ControlFrameHeader
{
Flags
:
flags
},
}
return
s
.
framer
.
WriteFrame
(
replyFrame
)
}
func
(
s
*
Connection
)
sendResetFrame
(
status
spdy
.
RstStreamStatus
,
streamId
spdy
.
StreamId
)
error
{
resetFrame
:=
&
spdy
.
RstStreamFrame
{
StreamId
:
streamId
,
Status
:
status
,
}
return
s
.
framer
.
WriteFrame
(
resetFrame
)
}
func
(
s
*
Connection
)
sendReset
(
status
spdy
.
RstStreamStatus
,
stream
*
Stream
)
error
{
return
s
.
sendResetFrame
(
status
,
stream
.
streamId
)
}
func
(
s
*
Connection
)
sendStream
(
stream
*
Stream
,
fin
bool
)
error
{
var
flags
spdy
.
ControlFlags
if
fin
{
flags
=
spdy
.
ControlFlagFin
stream
.
finished
=
true
}
var
parentId
spdy
.
StreamId
if
stream
.
parent
!=
nil
{
parentId
=
stream
.
parent
.
streamId
}
streamFrame
:=
&
spdy
.
SynStreamFrame
{
StreamId
:
spdy
.
StreamId
(
stream
.
streamId
),
AssociatedToStreamId
:
spdy
.
StreamId
(
parentId
),
Headers
:
stream
.
headers
,
CFHeader
:
spdy
.
ControlFrameHeader
{
Flags
:
flags
},
}
return
s
.
framer
.
WriteFrame
(
streamFrame
)
}
// getNextStreamId returns the next sequential id
// every call should produce a unique value or an error
func
(
s
*
Connection
)
getNextStreamId
()
spdy
.
StreamId
{
sid
:=
s
.
nextStreamId
if
sid
>
0x7fffffff
{
return
0
}
s
.
nextStreamId
=
s
.
nextStreamId
+
2
return
sid
}
// PeekNextStreamId returns the next sequential id and keeps the next id untouched
func
(
s
*
Connection
)
PeekNextStreamId
()
spdy
.
StreamId
{
sid
:=
s
.
nextStreamId
return
sid
}
func
(
s
*
Connection
)
validateStreamId
(
rid
spdy
.
StreamId
)
error
{
if
rid
>
0x7fffffff
||
rid
<
s
.
receivedStreamId
{
return
ErrInvalidStreamId
}
s
.
receivedStreamId
=
rid
+
2
return
nil
}
func
(
s
*
Connection
)
addStream
(
stream
*
Stream
)
{
s
.
streamCond
.
L
.
Lock
()
s
.
streams
[
stream
.
streamId
]
=
stream
debugMessage
(
"(%p) (%p) Stream added, broadcasting: %d"
,
s
,
stream
,
stream
.
streamId
)
s
.
streamCond
.
Broadcast
()
s
.
streamCond
.
L
.
Unlock
()
}
func
(
s
*
Connection
)
removeStream
(
stream
*
Stream
)
{
s
.
streamCond
.
L
.
Lock
()
delete
(
s
.
streams
,
stream
.
streamId
)
debugMessage
(
"(%p) (%p) Stream removed, broadcasting: %d"
,
s
,
stream
,
stream
.
streamId
)
s
.
streamCond
.
Broadcast
()
s
.
streamCond
.
L
.
Unlock
()
}
func
(
s
*
Connection
)
getStream
(
streamId
spdy
.
StreamId
)
(
stream
*
Stream
,
ok
bool
)
{
s
.
streamLock
.
RLock
()
stream
,
ok
=
s
.
streams
[
streamId
]
s
.
streamLock
.
RUnlock
()
return
}
// FindStream looks up the given stream id and either waits for the
// stream to be found or returns nil if the stream id is no longer
// valid.
func
(
s
*
Connection
)
FindStream
(
streamId
uint32
)
*
Stream
{
var
stream
*
Stream
var
ok
bool
s
.
streamCond
.
L
.
Lock
()
stream
,
ok
=
s
.
streams
[
spdy
.
StreamId
(
streamId
)]
debugMessage
(
"(%p) Found stream %d? %t"
,
s
,
spdy
.
StreamId
(
streamId
),
ok
)
for
!
ok
&&
streamId
>=
uint32
(
s
.
receivedStreamId
)
{
s
.
streamCond
.
Wait
()
stream
,
ok
=
s
.
streams
[
spdy
.
StreamId
(
streamId
)]
}
s
.
streamCond
.
L
.
Unlock
()
return
stream
}
func
(
s
*
Connection
)
CloseChan
()
<-
chan
bool
{
return
s
.
closeChan
}
vendor/gx/QmRCCpiiYnh621p5Qntvem8pR3Wks8WPMTnEMaAi2oddW2/spdystream/handlers.go
deleted
100644 → 0
View file @
a40ef343
package
spdystream
import
(
"io"
"net/http"
)
// MirrorStreamHandler mirrors all streams.
func
MirrorStreamHandler
(
stream
*
Stream
)
{
replyErr
:=
stream
.
SendReply
(
http
.
Header
{},
false
)
if
replyErr
!=
nil
{
return
}
go
func
()
{
io
.
Copy
(
stream
,
stream
)
stream
.
Close
()
}()
go
func
()
{
for
{
header
,
receiveErr
:=
stream
.
ReceiveHeader
()
if
receiveErr
!=
nil
{
return
}
sendErr
:=
stream
.
SendHeader
(
header
,
false
)
if
sendErr
!=
nil
{
return
}
}
}()
}
// NoopStreamHandler does nothing when stream connects, most
// likely used with RejectAuthHandler which will not allow any
// streams to make it to the stream handler.
func
NoOpStreamHandler
(
stream
*
Stream
)
{
stream
.
SendReply
(
http
.
Header
{},
false
)
}
Prev
1
…
8
9
10
11
12
13
14
15
16
…
19
Next
Write
Preview
Markdown
is supported
0%
Try again
or
attach a new file
.
Attach a file
Cancel
You are about to add
0
people
to the discussion. Proceed with caution.
Finish editing this message first!
Cancel
Please
register
or
sign in
to comment