Fix for HTTP Basic/Digest Authentication

This commit is contained in:
sta 2014-01-01 21:43:18 +09:00
parent 0a263622f0
commit 537229902f
32 changed files with 7488 additions and 6273 deletions

View File

@ -122,6 +122,7 @@ namespace Example {
//}; //};
//ws.SetCookie(new Cookie("nobita", "\"idiot, gunfighter\"")); //ws.SetCookie(new Cookie("nobita", "\"idiot, gunfighter\""));
//ws.SetCookie(new Cookie("dora", "tanuki")); //ws.SetCookie(new Cookie("dora", "tanuki"));
//ws.SetCredentials ("nobita", "password", false);
ws.Connect(); ws.Connect();
//Console.WriteLine("Compression: {0}", ws.Compression); //Console.WriteLine("Compression: {0}", ws.Compression);

View File

@ -2,6 +2,7 @@ using System;
using System.Configuration; using System.Configuration;
using System.Security.Cryptography.X509Certificates; using System.Security.Cryptography.X509Certificates;
using WebSocketSharp; using WebSocketSharp;
using WebSocketSharp.Net;
using WebSocketSharp.Server; using WebSocketSharp.Server;
namespace Example2 namespace Example2
@ -17,10 +18,28 @@ namespace Example2
#if DEBUG #if DEBUG
wssv.Log.Level = LogLevel.TRACE; wssv.Log.Level = LogLevel.TRACE;
#endif #endif
//var cert = ConfigurationManager.AppSettings ["ServerCertFile"];
//var password = ConfigurationManager.AppSettings ["CertFilePassword"]; // HTTP Basic/Digest Authentication
//wssv.Certificate = new X509Certificate2 (cert, password); /*
wssv.AuthenticationSchemes = AuthenticationSchemes.Digest;
wssv.Realm = "WebSocket Test";
wssv.UserCredentialsFinder = identity => {
var name = identity.Name;
return name == "nobita"
? new NetworkCredential (name, "password")
: null;
};
*/
// Secure Connection
/*
var cert = ConfigurationManager.AppSettings ["ServerCertFile"];
var password = ConfigurationManager.AppSettings ["CertFilePassword"];
wssv.Certificate = new X509Certificate2 (cert, password);
*/
//wssv.KeepClean = false; //wssv.KeepClean = false;
wssv.AddWebSocketService<Echo> ("/Echo"); wssv.AddWebSocketService<Echo> ("/Echo");
wssv.AddWebSocketService<Chat> ("/Chat"); wssv.AddWebSocketService<Chat> ("/Chat");
//wssv.AddWebSocketService<Chat> ("/Chat", () => new Chat ("Anon#")); //wssv.AddWebSocketService<Chat> ("/Chat", () => new Chat ("Anon#"));
@ -28,8 +47,7 @@ namespace Example2
//wssv.AddWebSocketService<Chat> ("/チャット"); //wssv.AddWebSocketService<Chat> ("/チャット");
wssv.Start (); wssv.Start ();
if (wssv.IsListening) if (wssv.IsListening) {
{
Console.WriteLine ( Console.WriteLine (
"A WebSocket Server listening on port: {0} service paths:", wssv.Port); "A WebSocket Server listening on port: {0} service paths:", wssv.Port);

View File

@ -19,24 +19,39 @@ namespace Example3
_httpsv.Log.Level = LogLevel.TRACE; _httpsv.Log.Level = LogLevel.TRACE;
#endif #endif
_httpsv.RootPath = ConfigurationManager.AppSettings ["RootPath"]; _httpsv.RootPath = ConfigurationManager.AppSettings ["RootPath"];
//var cert = ConfigurationManager.AppSettings ["ServerCertFile"];
//var password = ConfigurationManager.AppSettings ["CertFilePassword"]; // HTTP Basic/Digest Authentication
//_httpsv.Certificate = new X509Certificate2 (cert, password); /*
_httpsv.AuthenticationSchemes = AuthenticationSchemes.Digest;
_httpsv.Realm = "WebSocket Test";
_httpsv.UserCredentialsFinder = identity => {
var name = identity.Name;
return name == "nobita"
? new NetworkCredential (name, "password")
: null;
};
*/
// Secure Connection
/*
var cert = ConfigurationManager.AppSettings ["ServerCertFile"];
var password = ConfigurationManager.AppSettings ["CertFilePassword"];
_httpsv.Certificate = new X509Certificate2 (cert, password);
*/
//_httpsv.KeepClean = false; //_httpsv.KeepClean = false;
_httpsv.AddWebSocketService<Echo> ("/Echo"); _httpsv.AddWebSocketService<Echo> ("/Echo");
_httpsv.AddWebSocketService<Chat> ("/Chat"); _httpsv.AddWebSocketService<Chat> ("/Chat");
//_httpsv.AddWebSocketService<Chat> ("/Chat", () => new Chat ("Anon#")); //_httpsv.AddWebSocketService<Chat> ("/Chat", () => new Chat ("Anon#"));
_httpsv.OnGet += (sender, e) => _httpsv.OnGet += (sender, e) => onGet (e);
{
onGet (e);
};
_httpsv.Start (); _httpsv.Start ();
if (_httpsv.IsListening) if (_httpsv.IsListening) {
{
Console.WriteLine ( Console.WriteLine (
"An HTTP Server listening on port: {0} WebSocket service paths:", _httpsv.Port); "An HTTP Server listening on port: {0} WebSocket service paths:",
_httpsv.Port);
foreach (var path in _httpsv.WebSocketServices.ServicePaths) foreach (var path in _httpsv.WebSocketServices.ServicePaths)
Console.WriteLine (" {0}", path); Console.WriteLine (" {0}", path);
@ -61,8 +76,7 @@ namespace Example3
var request = eventArgs.Request; var request = eventArgs.Request;
var response = eventArgs.Response; var response = eventArgs.Response;
var content = getContent (request.RawUrl); var content = getContent (request.RawUrl);
if (content != null) if (content != null) {
{
response.WriteContent (content); response.WriteContent (content);
return; return;
} }

View File

@ -4,7 +4,7 @@
* *
* The MIT License * The MIT License
* *
* Copyright (c) 2013 sta.blockhead * Copyright (c) 2013-2014 sta.blockhead
* *
* Permission is hereby granted, free of charge, to any person obtaining a copy * Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal * of this software and associated documentation files (the "Software"), to deal
@ -27,29 +27,36 @@
#endregion #endregion
using System; using System;
using System.Collections.Specialized;
using System.Text; using System.Text;
namespace WebSocketSharp { namespace WebSocketSharp
{
internal class AuthenticationChallenge { internal class AuthenticationChallenge
{
#region Private Fields #region Private Fields
private string _algorithm; private NameValueCollection _params;
private string _domain;
private string _nonce;
private string _opaque;
private string _qop;
private string _realm;
private string _scheme; private string _scheme;
private string _stale;
#endregion #endregion
#region Private Constructors #region Internal Constructors
private AuthenticationChallenge() internal AuthenticationChallenge (string authScheme, string authParams)
{ {
_scheme = authScheme;
_params = authParams.ParseAuthParams ();
}
#endregion
#region Internal Properties
internal NameValueCollection Params {
get {
return _params;
}
} }
#endregion #endregion
@ -58,81 +65,49 @@ namespace WebSocketSharp {
public string Algorithm { public string Algorithm {
get { get {
return _algorithm ?? String.Empty; return _params ["algorithm"];
}
private set {
_algorithm = value;
} }
} }
public string Domain { public string Domain {
get { get {
return _domain ?? String.Empty; return _params ["domain"];
}
private set {
_domain = value;
} }
} }
public string Nonce { public string Nonce {
get { get {
return _nonce ?? String.Empty; return _params ["nonce"];
}
private set {
_nonce = value;
} }
} }
public string Opaque { public string Opaque {
get { get {
return _opaque ?? String.Empty; return _params ["opaque"];
}
private set {
_opaque = value;
} }
} }
public string Qop { public string Qop {
get { get {
return _qop ?? String.Empty; return _params ["qop"];
}
private set {
_qop = value;
} }
} }
public string Realm { public string Realm {
get { get {
return _realm ?? String.Empty; return _params ["realm"];
}
private set {
_realm = value;
} }
} }
public string Scheme { public string Scheme {
get { get {
return _scheme ?? String.Empty; return _scheme;
}
private set {
_scheme = value;
} }
} }
public string Stale { public string Stale {
get { get {
return _stale ?? String.Empty; return _params ["stale"];
}
private set {
_stale = value;
} }
} }
@ -140,64 +115,13 @@ namespace WebSocketSharp {
#region Public Methods #region Public Methods
public static AuthenticationChallenge Parse(string challenge) public static AuthenticationChallenge Parse (string value)
{ {
var authChallenge = new AuthenticationChallenge(); var challenge = value.Split (new char [] {' '}, 2);
if (challenge.StartsWith("basic", StringComparison.OrdinalIgnoreCase)) var scheme = challenge [0].ToLower ();
{ return scheme == "basic" || scheme == "digest"
authChallenge.Scheme = "Basic"; ? new AuthenticationChallenge (scheme, challenge [1])
authChallenge.Realm = challenge.Substring(6).GetValueInternal("=").Trim('"'); : null;
return authChallenge;
}
foreach (var p in challenge.SplitHeaderValue(','))
{
var param = p.Trim();
if (param.StartsWith("digest", StringComparison.OrdinalIgnoreCase))
{
authChallenge.Scheme = "Digest";
authChallenge.Realm = param.Substring(7).GetValueInternal("=").Trim('"');
continue;
}
var value = param.GetValueInternal("=").Trim('"');
if (param.StartsWith("domain", StringComparison.OrdinalIgnoreCase))
{
authChallenge.Domain = value;
continue;
}
if (param.StartsWith("nonce", StringComparison.OrdinalIgnoreCase))
{
authChallenge.Nonce = value;
continue;
}
if (param.StartsWith("opaque", StringComparison.OrdinalIgnoreCase))
{
authChallenge.Opaque = value;
continue;
}
if (param.StartsWith("stale", StringComparison.OrdinalIgnoreCase))
{
authChallenge.Stale = value;
continue;
}
if (param.StartsWith("algorithm", StringComparison.OrdinalIgnoreCase))
{
authChallenge.Algorithm = value;
continue;
}
if (param.StartsWith("qop", StringComparison.OrdinalIgnoreCase))
authChallenge.Qop = value;
}
return authChallenge;
} }
#endregion #endregion

View File

@ -27,56 +27,81 @@
#endregion #endregion
using System; using System;
using System.Security.Cryptography; using System.Collections.Specialized;
using System.Security.Principal;
using System.Text; using System.Text;
using WebSocketSharp.Net;
namespace WebSocketSharp { namespace WebSocketSharp
{
internal class AuthenticationResponse { internal class AuthenticationResponse
{
#region Private Fields #region Private Fields
private string _algorithm; private uint _nonceCount;
private string _cnonce; private NameValueCollection _params;
private string _method;
private string _nc;
private string _nonce;
private string _opaque;
private string _password;
private string _qop;
private string _realm;
private string _response;
private string _scheme; private string _scheme;
private string _uri;
private string _userName;
#endregion #endregion
#region Private Constructors #region Private Constructors
private AuthenticationResponse() private AuthenticationResponse (
string authScheme, NameValueCollection authParams)
{ {
_scheme = authScheme;
_params = authParams;
} }
#endregion #endregion
#region Public Constructors #region Internal Constructors
public AuthenticationResponse(WsCredential credential) internal AuthenticationResponse (NetworkCredential credentials)
: this ("Basic", new NameValueCollection (), credentials, 0)
{ {
_userName = credential.UserName;
_password = credential.Password;
_scheme = "Basic";
} }
public AuthenticationResponse(WsCredential credential, AuthenticationChallenge challenge) internal AuthenticationResponse (
AuthenticationChallenge challenge,
NetworkCredential credentials,
uint nonceCount)
: this (challenge.Scheme, challenge.Params, credentials, nonceCount)
{ {
_userName = credential.UserName; }
_password = credential.Password;
_scheme = challenge.Scheme; internal AuthenticationResponse (
_realm = challenge.Realm; string authScheme,
if (_scheme == "Digest") NameValueCollection authParams,
initForDigest(credential, challenge); NetworkCredential credentials,
uint nonceCount)
{
_scheme = authScheme.ToLower ();
_params = authParams;
_params ["username"] = credentials.UserName;
_params ["password"] = credentials.Password;
_params ["uri"] = credentials.Domain;
_nonceCount = nonceCount;
if (_scheme == "digest")
initAsDigest ();
}
#endregion
#region Internal Properties
internal uint NonceCount {
get {
return _nonceCount < UInt32.MaxValue
? _nonceCount
: 0;
}
}
internal NameValueCollection Params {
get {
return _params;
}
} }
#endregion #endregion
@ -85,111 +110,73 @@ namespace WebSocketSharp {
public string Algorithm { public string Algorithm {
get { get {
return _algorithm ?? String.Empty; return _params ["algorithm"];
}
private set {
_algorithm = value;
} }
} }
public string Cnonce { public string Cnonce {
get { get {
return _cnonce ?? String.Empty; return _params ["cnonce"];
}
private set {
_cnonce = value;
} }
} }
public string Nc { public string Nc {
get { get {
return _nc ?? String.Empty; return _params ["nc"];
}
private set {
_nc = value;
} }
} }
public string Nonce { public string Nonce {
get { get {
return _nonce ?? String.Empty; return _params ["nonce"];
}
private set {
_nonce = value;
} }
} }
public string Opaque { public string Opaque {
get { get {
return _opaque ?? String.Empty; return _params ["opaque"];
}
} }
private set { public string Password {
_opaque = value; get {
return _params ["password"];
} }
} }
public string Qop { public string Qop {
get { get {
return _qop ?? String.Empty; return _params ["qop"];
}
private set {
_qop = value;
} }
} }
public string Realm { public string Realm {
get { get {
return _realm ?? String.Empty; return _params ["realm"];
}
private set {
_realm = value;
} }
} }
public string Response { public string Response {
get { get {
return _response ?? String.Empty; return _params ["response"];
}
private set {
_response = value;
} }
} }
public string Scheme { public string Scheme {
get { get {
return _scheme ?? String.Empty; return _scheme;
}
private set {
_scheme = value;
} }
} }
public string Uri { public string Uri {
get { get {
return _uri ?? String.Empty; return _params ["uri"];
}
private set {
_uri = value;
} }
} }
public string UserName { public string UserName {
get { get {
return _userName ?? String.Empty; return _params ["username"];
}
private set {
_userName = value;
} }
} }
@ -197,130 +184,77 @@ namespace WebSocketSharp {
#region Private Methods #region Private Methods
private string a1() private static bool contains (string [] array, string item)
{ {
var result = String.Format("{0}:{1}:{2}", _userName, _realm, _password); foreach (var i in array)
return _algorithm != null && _algorithm.ToLower() == "md5-sess" if (i.Trim ().ToLower () == item)
? String.Format("{0}:{1}:{2}", hash(result), _nonce, _cnonce) return true;
: result;
return false;
} }
private string a2() private void initAsDigest ()
{ {
return String.Format("{0}:{1}", _method, _uri); var qops = _params ["qop"];
if (qops != null) {
var qop = "auth";
if (contains (qops.Split (','), qop)) {
_params ["qop"] = qop;
_params ["nc"] = String.Format ("{0:x8}", ++_nonceCount);
_params ["cnonce"] = HttpUtility.CreateNonceValue ();
}
else
_params ["qop"] = null;
} }
private static string createNonceValue() _params ["method"] = "GET";
{ _params ["response"] = HttpUtility.CreateRequestDigest (_params);
var src = new byte[16];
var rand = new Random();
rand.NextBytes(src);
var nonce = new StringBuilder(32);
foreach (var b in src)
nonce.Append(b.ToString("x2"));
return nonce.ToString();
}
private string createRequestDigest()
{
if (Qop == "auth")
{
var data = String.Format("{0}:{1}:{2}:{3}:{4}",
_nonce, _nc, _cnonce, _qop, hash(a2()));
return kd(hash(a1()), data);
}
return kd(hash(a1()), String.Format("{0}:{1}", _nonce, hash(a2())));
}
private static string hash(string value)
{
var md5 = MD5.Create();
var src = Encoding.UTF8.GetBytes(value);
var hashed = md5.ComputeHash(src);
var result = new StringBuilder(64);
foreach (var b in hashed)
result.Append(b.ToString("x2"));
return result.ToString();
}
private void initForDigest(WsCredential credential, AuthenticationChallenge challenge)
{
_nonce = challenge.Nonce;
_method = "GET";
_uri = credential.Domain;
_algorithm = challenge.Algorithm;
_opaque = challenge.Opaque;
foreach (var qop in challenge.Qop.Split(','))
{
if (qop.Trim().ToLower() == "auth")
{
_qop = "auth";
_nc = "00000001";
break;
}
}
_cnonce = createNonceValue();
_response = createRequestDigest();
}
private static string kd(string secret, string data)
{
var concatenated = String.Format("{0}:{1}", secret, data);
return hash(concatenated);
}
private string toBasicCredentials()
{
var userPass = String.Format("{0}:{1}", _userName, _password);
var base64UserPass = Convert.ToBase64String(Encoding.UTF8.GetBytes(userPass));
return "Basic " + base64UserPass;
}
private string toDigestCredentials()
{
var digestResponse = new StringBuilder(64);
digestResponse.AppendFormat("username={0}", _userName.Quote());
digestResponse.AppendFormat(", realm={0}", _realm.Quote());
digestResponse.AppendFormat(", nonce={0}", _nonce.Quote());
digestResponse.AppendFormat(", uri={0}", _uri.Quote());
digestResponse.AppendFormat(", response={0}", _response.Quote());
if (!_algorithm.IsNullOrEmpty())
digestResponse.AppendFormat(", algorithm={0}", _algorithm);
if (!_opaque.IsNullOrEmpty())
digestResponse.AppendFormat(", opaque={0}", _opaque.Quote());
if (!_qop.IsNullOrEmpty())
digestResponse.AppendFormat(", qop={0}", _qop);
if (!_nc.IsNullOrEmpty())
digestResponse.AppendFormat(", nc={0}", _nc);
if (!_qop.IsNullOrEmpty())
digestResponse.AppendFormat(", cnonce={0}", _cnonce.Quote());
return "Digest " + digestResponse.ToString();
} }
#endregion #endregion
#region Public Methods #region Public Methods
public static AuthenticationResponse Parse(string response) public static AuthenticationResponse Parse (string value)
{ {
throw new NotImplementedException(); try {
var credentials = value.Split (new char [] { ' ' }, 2);
if (credentials.Length != 2)
return null;
var scheme = credentials [0].ToLower ();
return scheme == "basic"
? new AuthenticationResponse (
scheme, credentials [1].ParseBasicAuthResponseParams ())
: scheme == "digest"
? new AuthenticationResponse (
scheme, credentials [1].ParseAuthParams ())
: null;
}
catch {
} }
public override string ToString() return null;
}
public IIdentity ToIdentity ()
{ {
return _scheme == "Basic" return _scheme == "basic"
? toBasicCredentials() ? new HttpBasicIdentity (
: toDigestCredentials(); _params ["username"], _params ["password"]) as IIdentity
: _scheme == "digest"
? new HttpDigestIdentity (_params)
: null;
}
public override string ToString ()
{
return _scheme == "basic"
? HttpUtility.CreateBasicAuthCredentials (
_params ["username"], _params ["password"])
: _scheme == "digest"
? HttpUtility.CreateDigestAuthCredentials (_params)
: String.Empty;
} }
#endregion #endregion

View File

@ -1,22 +1,21 @@
#region License #region License
/* /*
* Ext.cs * Ext.cs
* IsPredefinedScheme and MaybeUri methods are derived from System.Uri.cs *
* GetStatusDescription method is derived from System.Net.HttpListenerResponse.cs * Some part of this code are derived from Mono (http://www.mono-project.com).
*
* ParseBasicAuthResponseParams is derived from System.Net.HttpListenerContext.cs
* GetStatusDescription is derived from System.Net.HttpListenerResponse.cs
* IsPredefinedScheme and MaybeUri are derived from System.Uri.cs
* *
* The MIT License * The MIT License
* *
* Copyright (c) 2010-2013 sta.blockhead * Copyright (c) 2001 Garrett Rooney
* * Copyright (c) 2003 Ian MacLean
* System.Uri.cs * Copyright (c) 2003 Ben Maurer
* (C) 2001 Garrett Rooney * Copyright (c) 2003, 2005, 2009 Novell, Inc. (http://www.novell.com)
* (C) 2003 Ian MacLean
* (C) 2003 Ben Maurer
* Copyright (C) 2003, 2005, 2009 Novell, Inc. (http://www.novell.com)
* Copyright (c) 2009 Stephane Delcroix * Copyright (c) 2009 Stephane Delcroix
* * Copyright (c) 2010-2013 sta.blockhead
* System.Net.HttpListenerResponse.cs
* Copyright (C) 2003, 2005, 2009 Novell, Inc. (http://www.novell.com)
* *
* Permission is hereby granted, free of charge, to any person obtaining a copy * Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal * of this software and associated documentation files (the "Software"), to deal
@ -279,6 +278,20 @@ namespace WebSocketSharp
: null; : null;
} }
internal static void Close (
this HttpListenerResponse response, HttpStatusCode code)
{
response.StatusCode = (int) code;
response.OutputStream.Close ();
}
internal static void CloseWithAuthChallenge (
this HttpListenerResponse response, string challenge)
{
response.Headers.SetInternal ("WWW-Authenticate", challenge, true);
response.Close (HttpStatusCode.Unauthorized);
}
internal static byte [] Compress (this byte [] value, CompressionMethod method) internal static byte [] Compress (this byte [] value, CompressionMethod method)
{ {
return method == CompressionMethod.DEFLATE return method == CompressionMethod.DEFLATE
@ -447,9 +460,9 @@ namespace WebSocketSharp
} }
internal static TcpListenerWebSocketContext GetWebSocketContext ( internal static TcpListenerWebSocketContext GetWebSocketContext (
this TcpClient client, bool secure, X509Certificate cert) this TcpClient client, X509Certificate cert, bool secure, Logger logger)
{ {
return new TcpListenerWebSocketContext (client, secure, cert); return new TcpListenerWebSocketContext (client, cert, secure, logger);
} }
internal static bool IsCompressionExtension (this string value) internal static bool IsCompressionExtension (this string value)
@ -517,6 +530,57 @@ namespace WebSocketSharp
: String.Format ("\"{0}\"", value.Replace ("\"", "\\\"")); : String.Format ("\"{0}\"", value.Replace ("\"", "\\\""));
} }
internal static NameValueCollection ParseBasicAuthResponseParams (
this string value)
{
// HTTP Basic Authentication response is a formatted Base64 string.
var userPass = Encoding.Default.GetString (
Convert.FromBase64String (value));
// The format is [<domain>\]<username>:<password>.
// 'domain' is optional.
var i = userPass.IndexOf (':');
var username = userPass.Substring (0, i);
var password = i < userPass.Length - 1
? userPass.Substring (i + 1)
: String.Empty;
// Check if 'domain' exists.
i = username.IndexOf ('\\');
if (i > 0)
username = username.Substring (i + 1);
var result = new NameValueCollection ();
result ["username"] = username;
result ["password"] = password;
return result;
}
internal static NameValueCollection ParseAuthParams (this string value)
{
var result = new NameValueCollection ();
var i = 0;
string name, val;
foreach (var param in value.SplitHeaderValue (',')) {
i = param.IndexOf ('=');
if (i > 0) {
name = param.Substring (0, i).Trim ();
val = i < param.Length - 1
? param.Substring (i + 1).Trim ().Trim ('"')
: String.Empty;
}
else {
name = param;
val = String.Empty;
}
result.Add (name, val);
}
return result;
}
internal static byte [] ReadBytes (this Stream stream, int length) internal static byte [] ReadBytes (this Stream stream, int length)
{ {
return stream.readBytes (new byte [length], 0, length); return stream.readBytes (new byte [length], 0, length);
@ -1642,8 +1706,9 @@ namespace WebSocketSharp
/// Converts the specified <see cref="string"/> to a <see cref="Uri"/>. /// Converts the specified <see cref="string"/> to a <see cref="Uri"/>.
/// </summary> /// </summary>
/// <returns> /// <returns>
/// A <see cref="Uri"/> converted from <paramref name="uriString"/>, or <see langword="null"/> /// A <see cref="Uri"/> converted from <paramref name="uriString"/>, or
/// if <paramref name="uriString"/> is <see langword="null"/> or <see cref="String.Empty"/>. /// <see langword="null"/> if <paramref name="uriString"/> is
/// <see langword="null"/> or empty.
/// </returns> /// </returns>
/// <param name="uriString"> /// <param name="uriString">
/// A <see cref="string"/> to convert. /// A <see cref="string"/> to convert.

View File

@ -35,6 +35,13 @@ namespace WebSocketSharp
{ {
internal abstract class HandshakeBase internal abstract class HandshakeBase
{ {
#region Private Fields
private NameValueCollection _headers;
private Version _version;
#endregion
#region Protected Const Fields #region Protected Const Fields
protected const string CrLf = "\r\n"; protected const string CrLf = "\r\n";
@ -45,8 +52,8 @@ namespace WebSocketSharp
protected HandshakeBase () protected HandshakeBase ()
{ {
ProtocolVersion = HttpVersion.Version11; _version = HttpVersion.Version11;
Headers = new NameValueCollection (); _headers = new NameValueCollection ();
} }
#endregion #endregion
@ -54,37 +61,29 @@ namespace WebSocketSharp
#region Public Properties #region Public Properties
public NameValueCollection Headers { public NameValueCollection Headers {
get; protected set; get {
return _headers;
}
protected set {
_headers = value;
}
} }
public Version ProtocolVersion { public Version ProtocolVersion {
get; protected set; get {
return _version;
}
protected set {
_version = value;
}
} }
#endregion #endregion
#region Public Methods #region Public Methods
public void AddHeader (string name, string value)
{
Headers.Add (name, value);
}
public bool ContainsHeader (string name)
{
return Headers.Contains (name);
}
public bool ContainsHeader (string name, string value)
{
return Headers.Contains (name, value);
}
public string [] GetHeaderValues (string name)
{
return Headers.GetValues (name);
}
public byte [] ToByteArray () public byte [] ToByteArray ()
{ {
return Encoding.UTF8.GetBytes (ToString ()); return Encoding.UTF8.GetBytes (ToString ());

View File

@ -4,7 +4,7 @@
* *
* The MIT License * The MIT License
* *
* Copyright (c) 2012-2013 sta.blockhead * Copyright (c) 2012-2014 sta.blockhead
* *
* Permission is hereby granted, free of charge, to any person obtaining a copy * Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal * of this software and associated documentation files (the "Software"), to deal
@ -31,7 +31,6 @@ using System.Collections.Specialized;
using System.Linq; using System.Linq;
using System.Text; using System.Text;
using WebSocketSharp.Net; using WebSocketSharp.Net;
using WebSocketSharp.Net.WebSockets;
namespace WebSocketSharp namespace WebSocketSharp
{ {
@ -39,7 +38,10 @@ namespace WebSocketSharp
{ {
#region Private Fields #region Private Fields
private string _method;
private NameValueCollection _queryString; private NameValueCollection _queryString;
private string _rawUrl;
private Uri _uri;
#endregion #endregion
@ -55,17 +57,31 @@ namespace WebSocketSharp
public HandshakeRequest (string uriString) public HandshakeRequest (string uriString)
{ {
HttpMethod = "GET"; _method = "GET";
RequestUri = uriString.ToUri (); _uri = uriString.ToUri ();
AddHeader ("User-Agent", "websocket-sharp/1.0"); _rawUrl = _uri.IsAbsoluteUri
AddHeader ("Upgrade", "websocket"); ? _uri.PathAndQuery
AddHeader ("Connection", "Upgrade"); : uriString;
var headers = Headers;
headers ["User-Agent"] = "websocket-sharp/1.0";
headers ["Upgrade"] = "websocket";
headers ["Connection"] = "Upgrade";
} }
#endregion #endregion
#region Public Properties #region Public Properties
public AuthenticationResponse AuthResponse {
get {
var response = Headers ["Authorization"];
return !response.IsNullOrEmpty ()
? AuthenticationResponse.Parse (response)
: null;
}
}
public CookieCollection Cookies { public CookieCollection Cookies {
get { get {
return Headers.GetCookies (false); return Headers.GetCookies (false);
@ -73,33 +89,36 @@ namespace WebSocketSharp
} }
public string HttpMethod { public string HttpMethod {
get; private set; get {
return _method;
}
private set {
_method = value;
}
} }
public bool IsWebSocketRequest { public bool IsWebSocketRequest {
get { get {
return HttpMethod == "GET" && var headers = Headers;
return _method == "GET" &&
ProtocolVersion >= HttpVersion.Version11 && ProtocolVersion >= HttpVersion.Version11 &&
Headers.Contains ("Upgrade", "websocket") && headers.Contains ("Upgrade", "websocket") &&
Headers.Contains ("Connection", "Upgrade"); headers.Contains ("Connection", "Upgrade");
} }
} }
public NameValueCollection QueryString { public NameValueCollection QueryString {
get { get {
if (_queryString == null) if (_queryString == null) {
{
_queryString = new NameValueCollection (); _queryString = new NameValueCollection ();
var i = RawUrl.IndexOf ('?'); var i = RawUrl.IndexOf ('?');
if (i > 0) if (i > 0) {
{
var query = RawUrl.Substring (i + 1); var query = RawUrl.Substring (i + 1);
var components = query.Split ('&'); var components = query.Split ('&');
foreach (var c in components) foreach (var c in components) {
{
var nv = c.GetNameAndValue ("="); var nv = c.GetNameAndValue ("=");
if (nv.Key != null) if (nv.Key != null) {
{
var name = nv.Key.UrlDecode (); var name = nv.Key.UrlDecode ();
var val = nv.Value.UrlDecode (); var val = nv.Value.UrlDecode ();
_queryString.Add (name, val); _queryString.Add (name, val);
@ -114,14 +133,22 @@ namespace WebSocketSharp
public string RawUrl { public string RawUrl {
get { get {
return RequestUri.IsAbsoluteUri return _rawUrl;
? RequestUri.PathAndQuery }
: RequestUri.OriginalString;
private set {
_rawUrl = value;
} }
} }
public Uri RequestUri { public Uri RequestUri {
get; private set; get {
return _uri;
}
private set {
_uri = value;
}
} }
#endregion #endregion
@ -132,10 +159,8 @@ namespace WebSocketSharp
{ {
var requestLine = request [0].Split (' '); var requestLine = request [0].Split (' ');
if (requestLine.Length != 3) if (requestLine.Length != 3)
{ throw new ArgumentException (
var msg = "Invalid HTTP Request-Line: " + request [0]; "Invalid HTTP Request-Line: " + request [0], "request");
throw new ArgumentException (msg, "request");
}
var headers = new WebHeaderCollection (); var headers = new WebHeaderCollection ();
for (int i = 1; i < request.Length; i++) for (int i = 1; i < request.Length; i++)
@ -144,8 +169,9 @@ namespace WebSocketSharp
return new HandshakeRequest { return new HandshakeRequest {
Headers = headers, Headers = headers,
HttpMethod = requestLine [0], HttpMethod = requestLine [0],
RequestUri = requestLine [1].ToUri (), ProtocolVersion = new Version (requestLine [2].Substring (5)),
ProtocolVersion = new Version (requestLine [2].Substring (5)) RawUrl = requestLine [1],
RequestUri = requestLine [1].ToUri ()
}; };
} }
@ -160,21 +186,17 @@ namespace WebSocketSharp
if (!sorted [i].Expired) if (!sorted [i].Expired)
header.AppendFormat ("; {0}", sorted [i].ToString ()); header.AppendFormat ("; {0}", sorted [i].ToString ());
AddHeader ("Cookie", header.ToString ()); Headers ["Cookie"] = header.ToString ();
}
public void SetAuthorization (AuthenticationResponse response)
{
var credentials = response.ToString ();
AddHeader ("Authorization", credentials);
} }
public override string ToString () public override string ToString ()
{ {
var buffer = new StringBuilder (64); var buffer = new StringBuilder (64);
buffer.AppendFormat ("{0} {1} HTTP/{2}{3}", HttpMethod, RawUrl, ProtocolVersion, CrLf); buffer.AppendFormat ("{0} {1} HTTP/{2}{3}", _method, _rawUrl, ProtocolVersion, CrLf);
foreach (string key in Headers.AllKeys)
buffer.AppendFormat ("{0}: {1}{2}", key, Headers [key], CrLf); var headers = Headers;
foreach (var key in headers.AllKeys)
buffer.AppendFormat ("{0}: {1}{2}", key, headers [key], CrLf);
buffer.Append (CrLf); buffer.Append (CrLf);
return buffer.ToString (); return buffer.ToString ();

View File

@ -4,7 +4,7 @@
* *
* The MIT License * The MIT License
* *
* Copyright (c) 2012-2013 sta.blockhead * Copyright (c) 2012-2014 sta.blockhead
* *
* Permission is hereby granted, free of charge, to any person obtaining a copy * Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal * of this software and associated documentation files (the "Software"), to deal
@ -35,20 +35,34 @@ namespace WebSocketSharp
{ {
internal class HandshakeResponse : HandshakeBase internal class HandshakeResponse : HandshakeBase
{ {
#region Public Constructors #region Private Fields
public HandshakeResponse () private string _code;
: this (HttpStatusCode.SwitchingProtocols) private string _reason;
#endregion
#region Private Constructors
private HandshakeResponse ()
{ {
AddHeader ("Upgrade", "websocket");
AddHeader ("Connection", "Upgrade");
} }
#endregion
#region Public Constructors
public HandshakeResponse (HttpStatusCode code) public HandshakeResponse (HttpStatusCode code)
{ {
StatusCode = ((int) code).ToString (); _code = ((int) code).ToString ();
Reason = code.GetDescription (); _reason = code.GetDescription ();
AddHeader ("Server", "websocket-sharp/1.0");
var headers = Headers;
headers ["Server"] = "websocket-sharp/1.0";
if (code == HttpStatusCode.SwitchingProtocols) {
headers ["Upgrade"] = "websocket";
headers ["Connection"] = "Upgrade";
}
} }
#endregion #endregion
@ -72,25 +86,38 @@ namespace WebSocketSharp
public bool IsUnauthorized { public bool IsUnauthorized {
get { get {
return StatusCode == "401"; return _code == "401";
} }
} }
public bool IsWebSocketResponse { public bool IsWebSocketResponse {
get { get {
var headers = Headers;
return ProtocolVersion >= HttpVersion.Version11 && return ProtocolVersion >= HttpVersion.Version11 &&
StatusCode == "101" && _code == "101" &&
Headers.Contains ("Upgrade", "websocket") && headers.Contains ("Upgrade", "websocket") &&
Headers.Contains ("Connection", "Upgrade"); headers.Contains ("Connection", "Upgrade");
} }
} }
public string Reason { public string Reason {
get; private set; get {
return _reason;
}
private set {
_reason = value;
}
} }
public string StatusCode { public string StatusCode {
get; private set; get {
return _code;
}
private set {
_code = value;
}
} }
#endregion #endregion
@ -100,7 +127,7 @@ namespace WebSocketSharp
public static HandshakeResponse CreateCloseResponse (HttpStatusCode code) public static HandshakeResponse CreateCloseResponse (HttpStatusCode code)
{ {
var res = new HandshakeResponse (code); var res = new HandshakeResponse (code);
res.AddHeader ("Connection", "close"); res.Headers ["Connection"] = "close";
return res; return res;
} }
@ -132,16 +159,20 @@ namespace WebSocketSharp
if (cookies == null || cookies.Count == 0) if (cookies == null || cookies.Count == 0)
return; return;
var headers = Headers;
foreach (var cookie in cookies.Sorted) foreach (var cookie in cookies.Sorted)
AddHeader ("Set-Cookie", cookie.ToResponseString ()); headers.Add ("Set-Cookie", cookie.ToResponseString ());
} }
public override string ToString () public override string ToString ()
{ {
var buffer = new StringBuilder (64); var buffer = new StringBuilder (64);
buffer.AppendFormat ("HTTP/{0} {1} {2}{3}", ProtocolVersion, StatusCode, Reason, CrLf); buffer.AppendFormat (
foreach (string key in Headers.AllKeys) "HTTP/{0} {1} {2}{3}", ProtocolVersion, _code, _reason, CrLf);
buffer.AppendFormat ("{0}: {1}{2}", key, Headers [key], CrLf);
var headers = Headers;
foreach (var key in headers.AllKeys)
buffer.AppendFormat ("{0}: {1}{2}", key, headers [key], CrLf);
buffer.Append (CrLf); buffer.Append (CrLf);
return buffer.ToString (); return buffer.ToString ();

View File

@ -1,42 +1,52 @@
// #region License
// AuthenticationSchemes.cs /*
// Copied from System.Net.AuthenticationSchemes.cs * AuthenticationSchemes.cs
// *
// Author: * This code is derived from System.Net.AuthenticationSchemes.cs of Mono
// Atsushi Enomoto <atsushi@ximian.com> * (http://www.mono-project.com).
// *
// Copyright (C) 2005 Novell, Inc. (http://www.novell.com) * The MIT License
// *
// Permission is hereby granted, free of charge, to any person obtaining * Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
// a copy of this software and associated documentation files (the * Copyright (c) 2012-2013 sta.blockhead
// "Software"), to deal in the Software without restriction, including *
// without limitation the rights to use, copy, modify, merge, publish, * Permission is hereby granted, free of charge, to any person obtaining a copy
// distribute, sublicense, and/or sell copies of the Software, and to * of this software and associated documentation files (the "Software"), to deal
// permit persons to whom the Software is furnished to do so, subject to * in the Software without restriction, including without limitation the rights
// the following conditions: * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// * copies of the Software, and to permit persons to whom the Software is
// The above copyright notice and this permission notice shall be * furnished to do so, subject to the following conditions:
// included in all copies or substantial portions of the Software. *
// * The above copyright notice and this permission notice shall be included in
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * all copies or substantial portions of the Software.
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF *
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#endregion
#region Authors
/*
* Authors:
* Atsushi Enomoto <atsushi@ximian.com>
*/
#endregion
using System; using System;
namespace WebSocketSharp.Net { namespace WebSocketSharp.Net
{
/// <summary> /// <summary>
/// Contains the values of the schemes for authentication. /// Contains the values of the schemes for authentication.
/// </summary> /// </summary>
[Flags] [Flags]
public enum AuthenticationSchemes { public enum AuthenticationSchemes
{
/// <summary> /// <summary>
/// Indicates that no authentication is allowed. /// Indicates that no authentication is allowed.
/// </summary> /// </summary>
@ -46,18 +56,6 @@ namespace WebSocketSharp.Net {
/// </summary> /// </summary>
Digest = 1, Digest = 1,
/// <summary> /// <summary>
/// Indicates negotiating with the client to determine the authentication scheme.
/// </summary>
Negotiate = 2,
/// <summary>
/// Indicates NTLM authentication.
/// </summary>
Ntlm = 4,
/// <summary>
/// Indicates Windows authentication.
/// </summary>
IntegratedWindowsAuthentication = 6,
/// <summary>
/// Indicates basic authentication. /// Indicates basic authentication.
/// </summary> /// </summary>
Basic = 8, Basic = 8,

View File

@ -1,32 +1,41 @@
// #region License
// EndPointListener.cs /*
// Copied from System.Net.EndPointListener.cs * EndPointListener.cs
// *
// Author: * This code is derived from System.Net.EndPointListener.cs of Mono
// Gonzalo Paniagua Javier (gonzalo@novell.com) * (http://www.mono-project.com).
// *
// Copyright (c) 2005 Novell, Inc. (http://www.novell.com) * The MIT License
// Copyright (c) 2012-2013 sta.blockhead *
// * Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
// Permission is hereby granted, free of charge, to any person obtaining * Copyright (c) 2012-2013 sta.blockhead
// a copy of this software and associated documentation files (the *
// "Software"), to deal in the Software without restriction, including * Permission is hereby granted, free of charge, to any person obtaining a copy
// without limitation the rights to use, copy, modify, merge, publish, * of this software and associated documentation files (the "Software"), to deal
// distribute, sublicense, and/or sell copies of the Software, and to * in the Software without restriction, including without limitation the rights
// permit persons to whom the Software is furnished to do so, subject to * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// the following conditions: * copies of the Software, and to permit persons to whom the Software is
// * furnished to do so, subject to the following conditions:
// The above copyright notice and this permission notice shall be *
// included in all copies or substantial portions of the Software. * The above copyright notice and this permission notice shall be included in
// * all copies or substantial portions of the Software.
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, *
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// * THE SOFTWARE.
*/
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@novell.com>
*/
#endregion
using System; using System;
using System.Collections; using System.Collections;
@ -44,14 +53,14 @@ namespace WebSocketSharp.Net
{ {
#region Private Fields #region Private Fields
List<ListenerPrefix> _all; // host = '+' private List<ListenerPrefix> _all; // host = '+'
X509Certificate2 _cert; private X509Certificate2 _cert;
IPEndPoint _endpoint; private IPEndPoint _endpoint;
Dictionary<ListenerPrefix, HttpListener> _prefixes; private Dictionary<ListenerPrefix, HttpListener> _prefixes;
bool _secure; private bool _secure;
Socket _socket; private Socket _socket;
List<ListenerPrefix> _unhandled; // host = '*' private List<ListenerPrefix> _unhandled; // host = '*'
Dictionary<HttpConnection, HttpConnection> _unregistered; private Dictionary<HttpConnection, HttpConnection> _unregistered;
#endregion #endregion
@ -62,8 +71,7 @@ namespace WebSocketSharp.Net
int port, int port,
bool secure, bool secure,
string certFolderPath, string certFolderPath,
X509Certificate2 defaultCert X509Certificate2 defaultCert)
)
{ {
if (secure) { if (secure) {
_secure = secure; _secure = secure;
@ -73,7 +81,8 @@ namespace WebSocketSharp.Net
} }
_endpoint = new IPEndPoint (address, port); _endpoint = new IPEndPoint (address, port);
_socket = new Socket (address.AddressFamily, SocketType.Stream, ProtocolType.Tcp); _socket = new Socket (
address.AddressFamily, SocketType.Stream, ProtocolType.Tcp);
_socket.Bind (_endpoint); _socket.Bind (_endpoint);
_socket.Listen (500); _socket.Listen (500);
var args = new SocketAsyncEventArgs (); var args = new SocketAsyncEventArgs ();
@ -88,7 +97,8 @@ namespace WebSocketSharp.Net
#region Private Methods #region Private Methods
private static void addSpecial (List<ListenerPrefix> prefixes, ListenerPrefix prefix) private static void addSpecial (
List<ListenerPrefix> prefixes, ListenerPrefix prefix)
{ {
if (prefixes == null) if (prefixes == null)
return; return;
@ -118,8 +128,7 @@ namespace WebSocketSharp.Net
{ {
var rsa = new RSACryptoServiceProvider (); var rsa = new RSACryptoServiceProvider ();
byte[] pvk = null; byte[] pvk = null;
using (var fs = File.Open (filename, FileMode.Open, FileAccess.Read, FileShare.Read)) using (var fs = File.Open (filename, FileMode.Open, FileAccess.Read, FileShare.Read)) {
{
pvk = new byte [fs.Length]; pvk = new byte [fs.Length];
fs.Read (pvk, 0, pvk.Length); fs.Read (pvk, 0, pvk.Length);
} }
@ -134,8 +143,7 @@ namespace WebSocketSharp.Net
try { try {
var cer = Path.Combine (certFolderPath, String.Format ("{0}.cer", port)); var cer = Path.Combine (certFolderPath, String.Format ("{0}.cer", port));
var key = Path.Combine (certFolderPath, String.Format ("{0}.key", port)); var key = Path.Combine (certFolderPath, String.Format ("{0}.key", port));
if (File.Exists (cer) && File.Exists (key)) if (File.Exists (cer) && File.Exists (key)) {
{
var cert = new X509Certificate2 (cer); var cert = new X509Certificate2 (cer);
cert.PrivateKey = createRSAFromFile (key); cert.PrivateKey = createRSAFromFile (key);
@ -155,23 +163,21 @@ namespace WebSocketSharp.Net
if (list == null) if (list == null)
return null; return null;
HttpListener best_match = null; HttpListener bestMatch = null;
var best_length = -1; var bestLength = -1;
foreach (var p in list) foreach (var p in list) {
{
var ppath = p.Path; var ppath = p.Path;
if (ppath.Length < best_length) if (ppath.Length < bestLength)
continue; continue;
if (path.StartsWith (ppath)) if (path.StartsWith (ppath)) {
{ bestLength = ppath.Length;
best_length = ppath.Length; bestMatch = p.Listener;
best_match = p.Listener;
prefix = p; prefix = p;
} }
} }
return best_match; return bestMatch;
} }
private static void onAccept (object sender, EventArgs e) private static void onAccept (object sender, EventArgs e)
@ -179,8 +185,7 @@ namespace WebSocketSharp.Net
var args = (SocketAsyncEventArgs) e; var args = (SocketAsyncEventArgs) e;
var epListener = (EndPointListener) args.UserToken; var epListener = (EndPointListener) args.UserToken;
Socket accepted = null; Socket accepted = null;
if (args.SocketError == SocketError.Success) if (args.SocketError == SocketError.Success) {
{
accepted = args.AcceptSocket; accepted = args.AcceptSocket;
args.AcceptSocket = null; args.AcceptSocket = null;
} }
@ -200,17 +205,16 @@ namespace WebSocketSharp.Net
HttpConnection conn = null; HttpConnection conn = null;
try { try {
conn = new HttpConnection (accepted, epListener, epListener._secure, epListener._cert); conn = new HttpConnection (
lock (((ICollection) epListener._unregistered).SyncRoot) accepted, epListener, epListener._secure, epListener._cert);
{ lock (((ICollection) epListener._unregistered).SyncRoot) {
epListener._unregistered [conn] = conn; epListener._unregistered [conn] = conn;
} }
conn.BeginReadRequest (); conn.BeginReadRequest ();
} }
catch { catch {
if (conn != null) if (conn != null) {
{
conn.Close (true); conn.Close (true);
return; return;
} }
@ -219,16 +223,15 @@ namespace WebSocketSharp.Net
} }
} }
private static bool removeSpecial (List<ListenerPrefix> prefixes, ListenerPrefix prefix) private static bool removeSpecial (
List<ListenerPrefix> prefixes, ListenerPrefix prefix)
{ {
if (prefixes == null) if (prefixes == null)
return false; return false;
var count = prefixes.Count; var count = prefixes.Count;
for (int i = 0; i < count; i++) for (int i = 0; i < count; i++) {
{ if (prefixes [i].Path == prefix.Path) {
if (prefixes [i].Path == prefix.Path)
{
prefixes.RemoveAt (i); prefixes.RemoveAt (i);
return true; return true;
} }
@ -246,47 +249,44 @@ namespace WebSocketSharp.Net
var host = uri.Host; var host = uri.Host;
var port = uri.Port; var port = uri.Port;
var path = HttpUtility.UrlDecode (uri.AbsolutePath); var path = HttpUtility.UrlDecode (uri.AbsolutePath);
var path_slash = path [path.Length - 1] == '/' ? path : path + "/"; var pathSlash = path [path.Length - 1] == '/' ? path : path + "/";
HttpListener best_match = null; HttpListener bestMatch = null;
var best_length = -1; var bestLength = -1;
if (host != null && host.Length > 0) if (host != null && host.Length > 0) {
{ foreach (var p in _prefixes.Keys) {
foreach (var p in _prefixes.Keys)
{
var ppath = p.Path; var ppath = p.Path;
if (ppath.Length < best_length) if (ppath.Length < bestLength)
continue; continue;
if (p.Host != host || p.Port != port) if (p.Host != host || p.Port != port)
continue; continue;
if (path.StartsWith (ppath) || path_slash.StartsWith (ppath)) if (path.StartsWith (ppath) || pathSlash.StartsWith (ppath)) {
{ bestLength = ppath.Length;
best_length = ppath.Length; bestMatch = _prefixes [p];
best_match = _prefixes [p];
prefix = p; prefix = p;
} }
} }
if (best_length != -1) if (bestLength != -1)
return best_match; return bestMatch;
} }
var list = _unhandled; var list = _unhandled;
best_match = matchFromList (host, path, list, out prefix); bestMatch = matchFromList (host, path, list, out prefix);
if (path != path_slash && best_match == null) if (path != pathSlash && bestMatch == null)
best_match = matchFromList (host, path_slash, list, out prefix); bestMatch = matchFromList (host, pathSlash, list, out prefix);
if (best_match != null) if (bestMatch != null)
return best_match; return bestMatch;
list = _all; list = _all;
best_match = matchFromList (host, path, list, out prefix); bestMatch = matchFromList (host, path, list, out prefix);
if (path != path_slash && best_match == null) if (path != pathSlash && bestMatch == null)
best_match = matchFromList (host, path_slash, list, out prefix); bestMatch = matchFromList (host, pathSlash, list, out prefix);
if (best_match != null) if (bestMatch != null)
return best_match; return bestMatch;
return null; return null;
} }
@ -306,10 +306,8 @@ namespace WebSocketSharp.Net
internal void RemoveConnection (HttpConnection connection) internal void RemoveConnection (HttpConnection connection)
{ {
lock (((ICollection) _unregistered).SyncRoot) lock (((ICollection) _unregistered).SyncRoot)
{
_unregistered.Remove (connection); _unregistered.Remove (connection);
} }
}
#endregion #endregion
@ -318,30 +316,32 @@ namespace WebSocketSharp.Net
public void AddPrefix (ListenerPrefix prefix, HttpListener listener) public void AddPrefix (ListenerPrefix prefix, HttpListener listener)
{ {
List<ListenerPrefix> current, future; List<ListenerPrefix> current, future;
if (prefix.Host == "*") if (prefix.Host == "*") {
{
do { do {
current = _unhandled; current = _unhandled;
future = current != null future = current != null
? new List<ListenerPrefix> (current) ? new List<ListenerPrefix> (current)
: new List<ListenerPrefix> (); : new List<ListenerPrefix> ();
prefix.Listener = listener; prefix.Listener = listener;
addSpecial (future, prefix); addSpecial (future, prefix);
} while (Interlocked.CompareExchange (ref _unhandled, future, current) != current); }
while (Interlocked.CompareExchange (ref _unhandled, future, current) != current);
return; return;
} }
if (prefix.Host == "+") if (prefix.Host == "+") {
{
do { do {
current = _all; current = _all;
future = current != null future = current != null
? new List<ListenerPrefix> (current) ? new List<ListenerPrefix> (current)
: new List<ListenerPrefix> (); : new List<ListenerPrefix> ();
prefix.Listener = listener; prefix.Listener = listener;
addSpecial (future, prefix); addSpecial (future, prefix);
} while (Interlocked.CompareExchange (ref _all, future, current) != current); }
while (Interlocked.CompareExchange (ref _all, future, current) != current);
return; return;
} }
@ -349,18 +349,19 @@ namespace WebSocketSharp.Net
Dictionary<ListenerPrefix, HttpListener> prefs, p2; Dictionary<ListenerPrefix, HttpListener> prefs, p2;
do { do {
prefs = _prefixes; prefs = _prefixes;
if (prefs.ContainsKey (prefix)) if (prefs.ContainsKey (prefix)) {
{ var other = prefs [prefix];
HttpListener other = prefs [prefix];
if (other != listener) // TODO: code. if (other != listener) // TODO: code.
throw new HttpListenerException (400, "There's another listener for " + prefix); throw new HttpListenerException (
400, "There's another listener for " + prefix);
return; return;
} }
p2 = new Dictionary<ListenerPrefix, HttpListener> (prefs); p2 = new Dictionary<ListenerPrefix, HttpListener> (prefs);
p2 [prefix] = listener; p2 [prefix] = listener;
} while (Interlocked.CompareExchange (ref _prefixes, p2, prefs) != prefs); }
while (Interlocked.CompareExchange (ref _prefixes, p2, prefs) != prefs);
} }
public bool BindContext (HttpListenerContext context) public bool BindContext (HttpListenerContext context)
@ -380,8 +381,7 @@ namespace WebSocketSharp.Net
public void Close () public void Close ()
{ {
_socket.Close (); _socket.Close ();
lock (((ICollection) _unregistered).SyncRoot) lock (((ICollection) _unregistered).SyncRoot) {
{
var copy = new Dictionary<HttpConnection, HttpConnection> (_unregistered); var copy = new Dictionary<HttpConnection, HttpConnection> (_unregistered);
foreach (var conn in copy.Keys) foreach (var conn in copy.Keys)
conn.Close (true); conn.Close (true);
@ -394,31 +394,33 @@ namespace WebSocketSharp.Net
public void RemovePrefix (ListenerPrefix prefix, HttpListener listener) public void RemovePrefix (ListenerPrefix prefix, HttpListener listener)
{ {
List<ListenerPrefix> current, future; List<ListenerPrefix> current, future;
if (prefix.Host == "*") if (prefix.Host == "*") {
{
do { do {
current = _unhandled; current = _unhandled;
future = current != null future = current != null
? new List<ListenerPrefix> (current) ? new List<ListenerPrefix> (current)
: new List<ListenerPrefix> (); : new List<ListenerPrefix> ();
if (!removeSpecial (future, prefix)) if (!removeSpecial (future, prefix))
break; // Prefix not found. break; // Prefix not found.
} while (Interlocked.CompareExchange (ref _unhandled, future, current) != current); }
while (Interlocked.CompareExchange (ref _unhandled, future, current) != current);
checkIfRemove (); checkIfRemove ();
return; return;
} }
if (prefix.Host == "+") if (prefix.Host == "+") {
{
do { do {
current = _all; current = _all;
future = current != null future = current != null
? new List<ListenerPrefix> (current) ? new List<ListenerPrefix> (current)
: new List<ListenerPrefix> (); : new List<ListenerPrefix> ();
if (!removeSpecial (future, prefix)) if (!removeSpecial (future, prefix))
break; // Prefix not found. break; // Prefix not found.
} while (Interlocked.CompareExchange (ref _all, future, current) != current); }
while (Interlocked.CompareExchange (ref _all, future, current) != current);
checkIfRemove (); checkIfRemove ();
return; return;
@ -432,14 +434,15 @@ namespace WebSocketSharp.Net
p2 = new Dictionary<ListenerPrefix, HttpListener> (prefs); p2 = new Dictionary<ListenerPrefix, HttpListener> (prefs);
p2.Remove (prefix); p2.Remove (prefix);
} while (Interlocked.CompareExchange (ref _prefixes, p2, prefs) != prefs); }
while (Interlocked.CompareExchange (ref _prefixes, p2, prefs) != prefs);
checkIfRemove (); checkIfRemove ();
} }
public void UnbindContext (HttpListenerContext context) public void UnbindContext (HttpListenerContext context)
{ {
if (context == null || context.Request == null) if (context == null || context.Listener == null)
return; return;
context.Listener.UnregisterContext (context); context.Listener.UnregisterContext (context);

View File

@ -0,0 +1,81 @@
#region License
/*
* HttpBasicIdentity.cs
*
* This code is derived from System.Net.HttpListenerBasicIdentity.cs of Mono
* (http://www.mono-project.com).
*
* The MIT License
*
* Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
* Copyright (c) 2014 sta.blockhead
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@novell.com>
*/
#endregion
using System.Security.Principal;
namespace WebSocketSharp.Net
{
/// <summary>
/// Holds the user name and password from an HTTP Basic authentication request.
/// </summary>
public class HttpBasicIdentity : GenericIdentity
{
#region Private Fields
private string _password;
#endregion
#region internal Constructors
internal HttpBasicIdentity (string username, string password)
: base (username, "Basic")
{
_password = password;
}
#endregion
#region Public Properties
/// <summary>
/// Gets the password from an HTTP Basic authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the password.
/// </value>
public virtual string Password {
get {
return _password;
}
}
#endregion
}
}

View File

@ -1,33 +1,40 @@
#region License #region License
// /*
// HttpConnection.cs * HttpConnection.cs
// Copied from System.Net.HttpConnection.cs *
// * This code is derived from System.Net.HttpConnection.cs of Mono
// Author: * (http://www.mono-project.com).
// Gonzalo Paniagua Javier (gonzalo@novell.com) *
// * The MIT License
// Copyright (c) 2005 Novell, Inc. (http://www.novell.com) *
// Copyright (c) 2012-2013 sta.blockhead * Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
// * Copyright (c) 2012-2013 sta.blockhead
// Permission is hereby granted, free of charge, to any person obtaining *
// a copy of this software and associated documentation files (the * Permission is hereby granted, free of charge, to any person obtaining a copy
// "Software"), to deal in the Software without restriction, including * of this software and associated documentation files (the "Software"), to deal
// without limitation the rights to use, copy, modify, merge, publish, * in the Software without restriction, including without limitation the rights
// distribute, sublicense, and/or sell copies of the Software, and to * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// permit persons to whom the Software is furnished to do so, subject to * copies of the Software, and to permit persons to whom the Software is
// the following conditions: * furnished to do so, subject to the following conditions:
// *
// The above copyright notice and this permission notice shall be * The above copyright notice and this permission notice shall be included in
// included in all copies or substantial portions of the Software. * all copies or substantial portions of the Software.
// *
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * THE SOFTWARE.
// */
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@novell.com>
*/
#endregion #endregion
using System; using System;
@ -45,7 +52,7 @@ namespace WebSocketSharp.Net
{ {
internal sealed class HttpConnection internal sealed class HttpConnection
{ {
#region Enums #region Internal Enums
enum InputState { enum InputState {
RequestLine, RequestLine,
@ -60,9 +67,9 @@ namespace WebSocketSharp.Net
#endregion #endregion
#region Private Const Field #region Private Const Fields
private const int BufferSize = 8192; private const int _bufferSize = 8192;
#endregion #endregion
@ -97,8 +104,7 @@ namespace WebSocketSharp.Net
Socket socket, Socket socket,
EndPointListener listener, EndPointListener listener,
bool secure, bool secure,
X509Certificate2 cert X509Certificate2 cert)
)
{ {
_socket = socket; _socket = socket;
_epListener = listener; _epListener = listener;
@ -106,18 +112,16 @@ namespace WebSocketSharp.Net
var netStream = new NetworkStream (socket, false); var netStream = new NetworkStream (socket, false);
if (!secure) if (!secure)
{
_stream = netStream; _stream = netStream;
} else {
else
{
var sslStream = new SslStream (netStream, false); var sslStream = new SslStream (netStream, false);
sslStream.AuthenticateAsServer (cert); sslStream.AuthenticateAsServer (cert);
_stream = sslStream; _stream = sslStream;
} }
_timer = new Timer (OnTimeout, null, Timeout.Infinite, Timeout.Infinite); _timeout = 90000; // 90k ms for first request, 15k ms from then on.
Init (); _timer = new Timer (onTimeout, null, Timeout.Infinite, Timeout.Infinite);
init ();
} }
#endregion #endregion
@ -174,7 +178,7 @@ namespace WebSocketSharp.Net
#region Private Methods #region Private Methods
private void CloseSocket () private void closeSocket ()
{ {
if (_socket == null) if (_socket == null)
return; return;
@ -188,14 +192,13 @@ namespace WebSocketSharp.Net
_socket = null; _socket = null;
} }
RemoveConnection (); removeConnection ();
} }
private void Init () private void init ()
{ {
_chunked = false; _chunked = false;
_context = new HttpListenerContext (this); _context = new HttpListenerContext (this);
_contextWasBound = false;
_inputState = InputState.RequestLine; _inputState = InputState.RequestLine;
_inputStream = null; _inputStream = null;
_lineState = LineState.None; _lineState = LineState.None;
@ -203,54 +206,52 @@ namespace WebSocketSharp.Net
_position = 0; _position = 0;
_prefix = null; _prefix = null;
_requestBuffer = new MemoryStream (); _requestBuffer = new MemoryStream ();
_timeout = 90000; // 90k ms for first request, 15k ms from then on.
} }
private static void OnRead (IAsyncResult asyncResult) private static void onRead (IAsyncResult asyncResult)
{ {
var conn = (HttpConnection) asyncResult.AsyncState; var conn = (HttpConnection) asyncResult.AsyncState;
conn.OnReadInternal (asyncResult); conn.onReadInternal (asyncResult);
} }
private void OnReadInternal (IAsyncResult asyncResult) private void onReadInternal (IAsyncResult asyncResult)
{ {
_timer.Change (Timeout.Infinite, Timeout.Infinite); _timer.Change (Timeout.Infinite, Timeout.Infinite);
var nread = -1;
var read = -1;
try { try {
nread = _stream.EndRead (asyncResult); read = _stream.EndRead (asyncResult);
_requestBuffer.Write (_buffer, 0, nread); _requestBuffer.Write (_buffer, 0, read);
if (_requestBuffer.Length > 32768) { if (_requestBuffer.Length > 32768) {
SendError (); SendError ();
Close (true); Close (true);
return; return;
} }
} catch { }
catch {
if (_requestBuffer != null && _requestBuffer.Length > 0) if (_requestBuffer != null && _requestBuffer.Length > 0)
SendError (); SendError ();
if (_socket != null) { if (_socket != null) {
CloseSocket (); closeSocket ();
Unbind (); unbind ();
} }
return; return;
} }
if (nread == 0) { if (read <= 0) {
//if (_requestBuffer.Length > 0) closeSocket ();
// SendError (); // Why bother? unbind ();
CloseSocket ();
Unbind ();
return; return;
} }
if (ProcessInput (_requestBuffer.GetBuffer ())) { if (processInput (_requestBuffer.GetBuffer ())) {
if (!_context.HaveError) if (!_context.HaveError)
_context.Request.FinishInitialization (); _context.Request.FinishInitialization ();
else {
if (_context.HaveError) {
SendError (); SendError ();
Close (true); Close (true);
@ -266,35 +267,36 @@ namespace WebSocketSharp.Net
var listener = _context.Listener; var listener = _context.Listener;
if (_lastListener != listener) { if (_lastListener != listener) {
RemoveConnection (); removeConnection ();
listener.AddConnection (this); listener.AddConnection (this);
_lastListener = listener; _lastListener = listener;
} }
listener.RegisterContext (_context);
_contextWasBound = true; _contextWasBound = true;
listener.RegisterContext (_context);
return; return;
} }
_stream.BeginRead (_buffer, 0, BufferSize, OnRead, this); _stream.BeginRead (_buffer, 0, _bufferSize, onRead, this);
} }
private void OnTimeout (object unused) private void onTimeout (object unused)
{ {
CloseSocket (); closeSocket ();
Unbind (); unbind ();
} }
// true -> Done processing. // true -> Done processing.
// false -> Need more input. // false -> Need more input.
private bool ProcessInput (byte [] data) private bool processInput (byte [] data)
{ {
var length = data.Length; var length = data.Length;
var used = 0; var used = 0;
string line; string line;
try { try {
while ((line = ReadLine (data, _position, length - _position, ref used)) != null) { while ((line = readLine (
data, _position, length - _position, ref used)) != null) {
_position += used; _position += used;
if (line.Length == 0) { if (line.Length == 0) {
if (_inputState == InputState.RequestLine) if (_inputState == InputState.RequestLine)
@ -307,15 +309,17 @@ namespace WebSocketSharp.Net
if (_inputState == InputState.RequestLine) { if (_inputState == InputState.RequestLine) {
_context.Request.SetRequestLine (line); _context.Request.SetRequestLine (line);
_inputState = InputState.Headers; _inputState = InputState.Headers;
} else { }
else {
_context.Request.AddHeader (line); _context.Request.AddHeader (line);
} }
if (_context.HaveError) if (_context.HaveError)
return true; return true;
} }
} catch (Exception e) { }
_context.ErrorMessage = e.Message; catch (Exception ex) {
_context.ErrorMessage = ex.Message;
return true; return true;
} }
@ -328,7 +332,8 @@ namespace WebSocketSharp.Net
return false; return false;
} }
private string ReadLine (byte [] buffer, int offset, int length, ref int used) private string readLine (
byte [] buffer, int offset, int length, ref int used)
{ {
if (_currentLine == null) if (_currentLine == null)
_currentLine = new StringBuilder (); _currentLine = new StringBuilder ();
@ -359,7 +364,7 @@ namespace WebSocketSharp.Net
return result; return result;
} }
private void RemoveConnection () private void removeConnection ()
{ {
if (_lastListener == null) if (_lastListener == null)
_epListener.RemoveConnection (this); _epListener.RemoveConnection (this);
@ -367,7 +372,7 @@ namespace WebSocketSharp.Net
_lastListener.RemoveConnection (this); _lastListener.RemoveConnection (this);
} }
private void Unbind () private void unbind ()
{ {
if (_contextWasBound) { if (_contextWasBound) {
_epListener.UnbindContext (_context); _epListener.UnbindContext (_context);
@ -377,7 +382,7 @@ namespace WebSocketSharp.Net
#endregion #endregion
#region Internal Method #region Internal Methods
internal void Close (bool force) internal void Close (bool force)
{ {
@ -387,42 +392,38 @@ namespace WebSocketSharp.Net
_outputStream = null; _outputStream = null;
} }
force |= !_context.Request.KeepAlive; var req = _context.Request;
var res = _context.Response;
force |= !req.KeepAlive;
if (!force) if (!force)
force = _context.Response.Headers ["Connection"] == "close"; force = res.Headers ["Connection"] == "close";
if (!force && _context.Request.FlushInput ()) { if (!force &&
if (_chunked && !_context.Response.ForceCloseChunked) { req.FlushInput () &&
(!_chunked || (_chunked && !res.ForceCloseChunked))) {
// Don't close. Keep working. // Don't close. Keep working.
_reuses++; _reuses++;
Unbind (); unbind ();
Init (); init ();
BeginReadRequest (); BeginReadRequest ();
return; return;
} }
// _reuses++;
// Unbind ();
// Init ();
// BeginReadRequest ();
//
// return;
}
var socket = _socket; var socket = _socket;
_socket = null; _socket = null;
try { try {
if (socket != null)
socket.Shutdown (SocketShutdown.Both); socket.Shutdown (SocketShutdown.Both);
} catch { }
} finally { catch {
}
finally {
if (socket != null) if (socket != null)
socket.Close (); socket.Close ();
} }
Unbind (); unbind ();
RemoveConnection (); removeConnection ();
return; return;
} }
@ -435,18 +436,19 @@ namespace WebSocketSharp.Net
public void BeginReadRequest () public void BeginReadRequest ()
{ {
if (_buffer == null) if (_buffer == null)
_buffer = new byte [BufferSize]; _buffer = new byte [_bufferSize];
try { try {
if (_reuses == 1) if (_reuses == 1)
_timeout = 15000; _timeout = 15000;
_timer.Change (_timeout, Timeout.Infinite); _timer.Change (_timeout, Timeout.Infinite);
_stream.BeginRead (_buffer, 0, BufferSize, OnRead, this); _stream.BeginRead (_buffer, 0, _bufferSize, onRead, this);
} catch { }
catch {
_timer.Change (Timeout.Infinite, Timeout.Infinite); _timer.Change (Timeout.Infinite, Timeout.Infinite);
CloseSocket (); closeSocket ();
Unbind (); unbind ();
} }
} }
@ -460,13 +462,17 @@ namespace WebSocketSharp.Net
if (_inputStream == null) { if (_inputStream == null) {
var buffer = _requestBuffer.GetBuffer (); var buffer = _requestBuffer.GetBuffer ();
var length = buffer.Length; var length = buffer.Length;
_requestBuffer = null; _requestBuffer = null;
if (chunked) { if (chunked) {
_chunked = true; _chunked = true;
_context.Response.SendChunked = true; _context.Response.SendChunked = true;
_inputStream = new ChunkedInputStream (_context, _stream, buffer, _position, length - _position); _inputStream = new ChunkedInputStream (
} else { _context, _stream, buffer, _position, length - _position);
_inputStream = new RequestStream (_stream, buffer, _position, length - _position, contentlength); }
else {
_inputStream = new RequestStream (
_stream, buffer, _position, length - _position, contentlength);
} }
} }
@ -493,17 +499,19 @@ namespace WebSocketSharp.Net
public void SendError (string message, int status) public void SendError (string message, int status)
{ {
try { try {
var response = _context.Response; var res = _context.Response;
response.StatusCode = status; res.StatusCode = status;
response.ContentType = "text/html"; res.ContentType = "text/html";
var description = status.GetStatusDescription (); var description = status.GetStatusDescription ();
var error = !message.IsNullOrEmpty () var error = message != null && message.Length > 0
? String.Format ("<h1>{0} ({1})</h1>", description, message) ? String.Format ("<h1>{0} ({1})</h1>", description, message)
: String.Format ("<h1>{0}</h1>", description); : String.Format ("<h1>{0}</h1>", description);
var entity = _context.Response.ContentEncoding.GetBytes (error); var entity = res.ContentEncoding.GetBytes (error);
response.Close (entity, false); res.Close (entity, false);
} catch { }
catch {
// Response was already closed. // Response was already closed.
} }
} }

View File

@ -0,0 +1,185 @@
#region License
/*
* HttpDigestIdentity.cs
*
* The MIT License
*
* Copyright (c) 2014 sta.blockhead
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#endregion
using System;
using System.Collections.Specialized;
using System.Security.Principal;
namespace WebSocketSharp.Net
{
/// <summary>
/// Holds the user name and other authentication parameters from an HTTP Digest
/// authentication request.
/// </summary>
public class HttpDigestIdentity : GenericIdentity
{
#region Private Fields
private NameValueCollection _params;
#endregion
#region Internal Constructors
internal HttpDigestIdentity (NameValueCollection authParams)
: base (authParams ["username"], "Digest")
{
_params = authParams;
}
#endregion
#region Public Properties
/// <summary>
/// Gets the algorithm parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the algorithm parameter.
/// </value>
public string Algorithm {
get {
return _params ["algorithm"];
}
}
/// <summary>
/// Gets the cnonce parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the cnonce parameter.
/// </value>
public string Cnonce {
get {
return _params ["cnonce"];
}
}
/// <summary>
/// Gets the nc parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the nc parameter.
/// </value>
public string Nc {
get {
return _params ["nc"];
}
}
/// <summary>
/// Gets the nonce parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the nonce parameter.
/// </value>
public string Nonce {
get {
return _params ["nonce"];
}
}
/// <summary>
/// Gets the opaque parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the opaque parameter.
/// </value>
public string Opaque {
get {
return _params ["opaque"];
}
}
/// <summary>
/// Gets the qop parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the qop parameter.
/// </value>
public string Qop {
get {
return _params ["qop"];
}
}
/// <summary>
/// Gets the realm parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the realm parameter.
/// </value>
public string Realm {
get {
return _params ["realm"];
}
}
/// <summary>
/// Gets the response parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the response parameter.
/// </value>
public string Response {
get {
return _params ["response"];
}
}
/// <summary>
/// Gets the uri parameter from an HTTP Digest authentication request.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the uri parameter.
/// </value>
public string Uri {
get {
return _params ["uri"];
}
}
#endregion
#region Internal Methods
internal bool IsValid (
string password, string realm, string method, string entity)
{
var parameters = new NameValueCollection (_params);
parameters ["password"] = password;
parameters ["realm"] = realm;
parameters ["method"] = method;
parameters ["entity"] = entity;
return _params ["response"] == HttpUtility.CreateRequestDigest (parameters);
}
#endregion
}
}

View File

@ -1,64 +1,73 @@
// #region License
// HttpListener.cs /*
// Copied from System.Net.HttpListener.cs * HttpListener.cs
// *
// Author: * This code is derived from System.Net.HttpListener.cs of Mono
// Gonzalo Paniagua Javier (gonzalo@novell.com) * (http://www.mono-project.com).
// sta (sta.blockhead@gmail.com) *
// * The MIT License
// Copyright (c) 2005 Novell, Inc. (http://www.novell.com) *
// Copyright (c) 2012-2013 sta.blockhead * Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
// * Copyright (c) 2012-2014 sta.blockhead
// Permission is hereby granted, free of charge, to any person obtaining *
// a copy of this software and associated documentation files (the * Permission is hereby granted, free of charge, to any person obtaining a copy
// "Software"), to deal in the Software without restriction, including * of this software and associated documentation files (the "Software"), to deal
// without limitation the rights to use, copy, modify, merge, publish, * in the Software without restriction, including without limitation the rights
// distribute, sublicense, and/or sell copies of the Software, and to * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// permit persons to whom the Software is furnished to do so, subject to * copies of the Software, and to permit persons to whom the Software is
// the following conditions: * furnished to do so, subject to the following conditions:
// *
// The above copyright notice and this permission notice shall be * The above copyright notice and this permission notice shall be included in
// included in all copies or substantial portions of the Software. * all copies or substantial portions of the Software.
// *
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * THE SOFTWARE.
// */
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@novell.com>
*/
#endregion
using System; using System;
using System.Collections; using System.Collections;
using System.Collections.Generic; using System.Collections.Generic;
using System.Security.Cryptography.X509Certificates; using System.Security.Cryptography.X509Certificates;
using System.Security.Principal;
using System.Threading; using System.Threading;
// TODO: logging // TODO: logging
namespace WebSocketSharp.Net { namespace WebSocketSharp.Net
{
/// <summary> /// <summary>
/// Provides a simple, programmatically controlled HTTP listener. /// Provides a simple, programmatically controlled HTTP listener.
/// </summary> /// </summary>
public sealed class HttpListener : IDisposable { public sealed class HttpListener : IDisposable
{
#region Private Fields #region Private Fields
AuthenticationSchemes auth_schemes; private AuthenticationSchemes _authSchemes;
AuthenticationSchemeSelector auth_selector; private AuthenticationSchemeSelector _authSchemeSelector;
string cert_folder_path; private string _certFolderPath;
Dictionary<HttpConnection, HttpConnection> connections; private Dictionary<HttpConnection, HttpConnection> _connections;
List<HttpListenerContext> ctx_queue; private List<HttpListenerContext> _contextQueue;
X509Certificate2 default_cert; private Func<IIdentity, NetworkCredential> _credentialsFinder;
bool disposed; private X509Certificate2 _defaultCert;
bool ignore_write_exceptions; private bool _disposed;
bool listening; private bool _ignoreWriteExceptions;
HttpListenerPrefixCollection prefixes; private bool _listening;
string realm; private HttpListenerPrefixCollection _prefixes;
Dictionary<HttpListenerContext, HttpListenerContext> registry; private string _realm;
bool unsafe_ntlm_auth; private Dictionary<HttpListenerContext, HttpListenerContext> _registry;
List<ListenerAsyncResult> wait_queue; private List<ListenerAsyncResult> _waitQueue;
#endregion #endregion
@ -69,12 +78,22 @@ namespace WebSocketSharp.Net {
/// </summary> /// </summary>
public HttpListener () public HttpListener ()
{ {
prefixes = new HttpListenerPrefixCollection (this); _authSchemes = AuthenticationSchemes.Anonymous;
registry = new Dictionary<HttpListenerContext, HttpListenerContext> (); _connections = new Dictionary<HttpConnection, HttpConnection> ();
connections = new Dictionary<HttpConnection, HttpConnection> (); _contextQueue = new List<HttpListenerContext> ();
ctx_queue = new List<HttpListenerContext> (); _prefixes = new HttpListenerPrefixCollection (this);
wait_queue = new List<ListenerAsyncResult> (); _registry = new Dictionary<HttpListenerContext, HttpListenerContext> ();
auth_schemes = AuthenticationSchemes.Anonymous; _waitQueue = new List<ListenerAsyncResult> ();
}
#endregion
#region Internal Properties
internal bool IsDisposed {
get {
return _disposed;
}
} }
#endregion #endregion
@ -85,31 +104,33 @@ namespace WebSocketSharp.Net {
/// Gets or sets the scheme used to authenticate the clients. /// Gets or sets the scheme used to authenticate the clients.
/// </summary> /// </summary>
/// <value> /// <value>
/// One of the <see cref="WebSocketSharp.Net.AuthenticationSchemes"/> values that indicates /// One of the <see cref="WebSocketSharp.Net.AuthenticationSchemes"/> values
/// the scheme used to authenticate the clients. /// that indicates the scheme used to authenticate the clients. The default
/// The default value is <see cref="WebSocketSharp.Net.AuthenticationSchemes.Anonymous"/>. /// value is <see cref="WebSocketSharp.Net.AuthenticationSchemes.Anonymous"/>.
/// </value> /// </value>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
/// </exception> /// </exception>
public AuthenticationSchemes AuthenticationSchemes { public AuthenticationSchemes AuthenticationSchemes {
// TODO: Digest, NTLM and Negotiate require ControlPrincipal
get { get {
CheckDisposed (); CheckDisposed ();
return auth_schemes; return _authSchemes;
} }
set { set {
CheckDisposed (); CheckDisposed ();
auth_schemes = value; _authSchemes = value;
} }
} }
/// <summary> /// <summary>
/// Gets or sets the delegate called to determine the scheme used to authenticate clients. /// Gets or sets the delegate called to determine the scheme used to
/// authenticate clients.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="AuthenticationSchemeSelector"/> delegate that invokes the method(s) used to select /// A <see cref="AuthenticationSchemeSelector"/> delegate that invokes the
/// an authentication scheme. The default value is <see langword="null"/>. /// method(s) used to select an authentication scheme. The default value is
/// <see langword="null"/>.
/// </value> /// </value>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
@ -117,26 +138,29 @@ namespace WebSocketSharp.Net {
public AuthenticationSchemeSelector AuthenticationSchemeSelectorDelegate { public AuthenticationSchemeSelector AuthenticationSchemeSelectorDelegate {
get { get {
CheckDisposed (); CheckDisposed ();
return auth_selector; return _authSchemeSelector;
} }
set { set {
CheckDisposed (); CheckDisposed ();
auth_selector = value; _authSchemeSelector = value;
} }
} }
/// <summary> /// <summary>
/// Gets or sets the path to the folder stored the certificate files used to authenticate /// Gets or sets the path to the folder stored the certificate files used to
/// the server on the secure connection. /// authenticate the server on the secure connection.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This property represents the path to the folder stored the certificate files associated with /// This property represents the path to the folder stored the certificate
/// the port number of each added URI prefix. A set of the certificate files is a pair of the /// files associated with the port number of each added URI prefix. A set of
/// <c>'port number'.cer</c> (DER) and <c>'port number'.key</c> (DER, RSA Private Key). /// the certificate files is a pair of the <c>'port number'.cer</c> (DER) and
/// <c>'port number'.key</c> (DER, RSA Private Key).
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="string"/> that contains the path to the certificate folder. The default value is /// A <see cref="string"/> that contains the path to the certificate folder.
/// the result of <c>Environment.GetFolderPath</c> (<see cref="Environment.SpecialFolder.ApplicationData"/>). /// The default value is the result of <c>Environment.GetFolderPath</c>
/// (<see cref="Environment.SpecialFolder.ApplicationData"/>).
/// </value> /// </value>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
@ -144,24 +168,26 @@ namespace WebSocketSharp.Net {
public string CertificateFolderPath { public string CertificateFolderPath {
get { get {
CheckDisposed (); CheckDisposed ();
if (cert_folder_path.IsNullOrEmpty ()) return _certFolderPath == null || _certFolderPath.Length == 0
cert_folder_path = Environment.GetFolderPath (Environment.SpecialFolder.ApplicationData); ? (_certFolderPath = Environment.GetFolderPath (
Environment.SpecialFolder.ApplicationData))
return cert_folder_path; : _certFolderPath;
} }
set { set {
CheckDisposed (); CheckDisposed ();
cert_folder_path = value; _certFolderPath = value;
} }
} }
/// <summary> /// <summary>
/// Gets or sets the default certificate used to authenticate the server on the secure connection. /// Gets or sets the default certificate used to authenticate the server on
/// the secure connection.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="X509Certificate2"/> used to authenticate the server if the certificate associated with /// A <see cref="X509Certificate2"/> used to authenticate the server if the
/// the port number of each added URI prefix is not found in the <see cref="CertificateFolderPath"/>. /// certificate associated with the port number of each added URI prefix is
/// not found in the <see cref="CertificateFolderPath"/>.
/// </value> /// </value>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
@ -169,22 +195,23 @@ namespace WebSocketSharp.Net {
public X509Certificate2 DefaultCertificate { public X509Certificate2 DefaultCertificate {
get { get {
CheckDisposed (); CheckDisposed ();
return default_cert; return _defaultCert;
} }
set { set {
CheckDisposed (); CheckDisposed ();
default_cert = value; _defaultCert = value;
} }
} }
/// <summary> /// <summary>
/// Gets or sets a value indicating whether the <see cref="HttpListener"/> returns exceptions /// Gets or sets a value indicating whether the <see cref="HttpListener"/>
/// that occur when sending the response to the client. /// returns exceptions that occur when sending the response to the client.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if does not return exceptions that occur when sending the response to the client; /// <c>true</c> if the <see cref="HttpListener"/> doesn't return exceptions
/// otherwise, <c>false</c>. The default value is <c>false</c>. /// that occur when sending the response to the client; otherwise,
/// <c>false</c>. The default value is <c>false</c>.
/// </value> /// </value>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
@ -192,39 +219,48 @@ namespace WebSocketSharp.Net {
public bool IgnoreWriteExceptions { public bool IgnoreWriteExceptions {
get { get {
CheckDisposed (); CheckDisposed ();
return ignore_write_exceptions; return _ignoreWriteExceptions;
} }
set { set {
CheckDisposed (); CheckDisposed ();
ignore_write_exceptions = value; _ignoreWriteExceptions = value;
} }
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the <see cref="HttpListener"/> has been started. /// Gets a value indicating whether the <see cref="HttpListener"/> has been
/// started.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the <see cref="HttpListener"/> has been started; otherwise, <c>false</c>. /// <c>true</c> if the <see cref="HttpListener"/> has been started; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public bool IsListening { public bool IsListening {
get { return listening; } get {
return _listening;
}
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the <see cref="HttpListener"/> can be used with the current operating system. /// Gets a value indicating whether the <see cref="HttpListener"/> can be
/// used with the current operating system.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c>. /// <c>true</c>.
/// </value> /// </value>
public static bool IsSupported { public static bool IsSupported {
get { return true; } get {
return true;
}
} }
/// <summary> /// <summary>
/// Gets the URI prefixes handled by the <see cref="HttpListener"/>. /// Gets the URI prefixes handled by the <see cref="HttpListener"/>.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="HttpListenerPrefixCollection"/> that contains the URI prefixes. /// A <see cref="HttpListenerPrefixCollection"/> that contains the URI
/// prefixes.
/// </value> /// </value>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
@ -232,28 +268,32 @@ namespace WebSocketSharp.Net {
public HttpListenerPrefixCollection Prefixes { public HttpListenerPrefixCollection Prefixes {
get { get {
CheckDisposed (); CheckDisposed ();
return prefixes; return _prefixes;
} }
} }
/// <summary> /// <summary>
/// Gets or sets the name of the realm associated with the <see cref="HttpListener"/>. /// Gets or sets the name of the realm associated with the
/// <see cref="HttpListener"/>.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the name of the realm. /// A <see cref="string"/> that contains the name of the realm. The default
/// value is <c>SECRET AREA</c>.
/// </value> /// </value>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
/// </exception> /// </exception>
public string Realm { public string Realm {
// TODO: Use this
get { get {
CheckDisposed (); CheckDisposed ();
return realm; return _realm == null || _realm.Length == 0
? (_realm = "SECRET AREA")
: _realm;
} }
set { set {
CheckDisposed (); CheckDisposed ();
realm = value; _realm = value;
} }
} }
@ -262,22 +302,48 @@ namespace WebSocketSharp.Net {
/// the authentication information of first request is used to authenticate /// the authentication information of first request is used to authenticate
/// additional requests on the same connection. /// additional requests on the same connection.
/// </summary> /// </summary>
/// <remarks>
/// This property isn't currently supported and always throws
/// a <see cref="NotSupportedException"/>.
/// </remarks>
/// <value> /// <value>
/// <c>true</c> if the authentication information of first request is used; /// <c>true</c> if the authentication information of first request is used;
/// otherwise, <c>false</c>. The default value is <c>false</c>. /// otherwise, <c>false</c>.
/// </value>
/// <exception cref="NotSupportedException">
/// Any use of this property.
/// </exception>
public bool UnsafeConnectionNtlmAuthentication {
get {
throw new NotSupportedException ();
}
set {
throw new NotSupportedException ();
}
}
/// <summary>
/// Gets or sets the delegate called to find the credentials for an identity
/// used to authenticate a client.
/// </summary>
/// <value>
/// A Func&lt;<see cref="IIdentity"/>, <see cref="NetworkCredential"/>&gt;
/// delegate that references the method(s) used to find the credentials. The
/// default value is a function that only returns <see langword="null"/>.
/// </value> /// </value>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
/// </exception> /// </exception>
public bool UnsafeConnectionNtlmAuthentication { public Func<IIdentity, NetworkCredential> UserCredentialsFinder {
// TODO: Support for NTLM needs some loving.
get { get {
CheckDisposed (); CheckDisposed ();
return unsafe_ntlm_auth; return _credentialsFinder ?? (_credentialsFinder = identity => null);
} }
set { set {
CheckDisposed (); CheckDisposed ();
unsafe_ntlm_auth = value; _credentialsFinder = value;
} }
} }
@ -285,94 +351,95 @@ namespace WebSocketSharp.Net {
#region Private Methods #region Private Methods
void Cleanup (bool force) private void cleanup (bool force)
{ {
lock (((ICollection)registry).SyncRoot) { lock (((ICollection) _registry).SyncRoot) {
if (!force) if (!force)
SendServiceUnavailable (); sendServiceUnavailable ();
CleanupContextRegistry (); cleanupContextRegistry ();
CleanupConnections (); cleanupConnections ();
CleanupWaitQueue (); cleanupWaitQueue ();
} }
} }
void CleanupConnections () private void cleanupConnections ()
{ {
lock (((ICollection)connections).SyncRoot) { lock (((ICollection) _connections).SyncRoot) {
if (connections.Count == 0) if (_connections.Count == 0)
return; return;
// Need to copy this since closing will call RemoveConnection // Need to copy this since closing will call RemoveConnection
ICollection keys = connections.Keys; var keys = _connections.Keys;
var conns = new HttpConnection [keys.Count]; var conns = new HttpConnection [keys.Count];
keys.CopyTo (conns, 0); keys.CopyTo (conns, 0);
connections.Clear (); _connections.Clear ();
for (int i = conns.Length - 1; i >= 0; i--) for (var i = conns.Length - 1; i >= 0; i--)
conns [i].Close (true); conns [i].Close (true);
} }
} }
void CleanupContextRegistry () private void cleanupContextRegistry ()
{ {
lock (((ICollection)registry).SyncRoot) { lock (((ICollection) _registry).SyncRoot) {
if (registry.Count == 0) if (_registry.Count == 0)
return; return;
// Need to copy this since closing will call UnregisterContext // Need to copy this since closing will call UnregisterContext
ICollection keys = registry.Keys; var keys = _registry.Keys;
var all = new HttpListenerContext [keys.Count]; var all = new HttpListenerContext [keys.Count];
keys.CopyTo (all, 0); keys.CopyTo (all, 0);
registry.Clear (); _registry.Clear ();
for (int i = all.Length - 1; i >= 0; i--) for (var i = all.Length - 1; i >= 0; i--)
all [i].Connection.Close (true); all [i].Connection.Close (true);
} }
} }
void CleanupWaitQueue () private void cleanupWaitQueue ()
{ {
lock (((ICollection)wait_queue).SyncRoot) { lock (((ICollection) _waitQueue).SyncRoot) {
if (wait_queue.Count == 0) if (_waitQueue.Count == 0)
return; return;
var exc = new ObjectDisposedException (GetType ().ToString ()); var ex = new ObjectDisposedException (GetType ().ToString ());
foreach (var ares in wait_queue) { foreach (var ares in _waitQueue) {
ares.Complete (exc); ares.Complete (ex);
} }
wait_queue.Clear (); _waitQueue.Clear ();
} }
} }
void Close (bool force) private void close (bool force)
{ {
EndPointManager.RemoveListener (this); EndPointManager.RemoveListener (this);
Cleanup (force); cleanup (force);
} }
// Must be called with a lock on ctx_queue // Must be called with a lock on _contextQueue
HttpListenerContext GetContextFromQueue () private HttpListenerContext getContextFromQueue ()
{ {
if (ctx_queue.Count == 0) if (_contextQueue.Count == 0)
return null; return null;
var context = ctx_queue [0]; var context = _contextQueue [0];
ctx_queue.RemoveAt (0); _contextQueue.RemoveAt (0);
return context; return context;
} }
void SendServiceUnavailable () private void sendServiceUnavailable ()
{ {
lock (((ICollection)ctx_queue).SyncRoot) { lock (((ICollection) _contextQueue).SyncRoot) {
if (ctx_queue.Count == 0) if (_contextQueue.Count == 0)
return; return;
var ctxs = ctx_queue.ToArray (); var contexts = _contextQueue.ToArray ();
ctx_queue.Clear (); _contextQueue.Clear ();
foreach (var ctx in ctxs) { foreach (var context in contexts) {
var res = ctx.Response; var res = context.Response;
res.StatusCode = (int)HttpStatusCode.ServiceUnavailable; res.StatusCode = (int) HttpStatusCode.ServiceUnavailable;
res.Close(); res.Close ();
} }
} }
} }
@ -381,30 +448,58 @@ namespace WebSocketSharp.Net {
#region Internal Methods #region Internal Methods
internal void AddConnection (HttpConnection cnc) internal void AddConnection (HttpConnection connection)
{ {
connections [cnc] = cnc; _connections [connection] = connection;
}
internal ListenerAsyncResult BeginGetContext (ListenerAsyncResult asyncResult)
{
CheckDisposed ();
if (_prefixes.Count == 0)
throw new InvalidOperationException (
"Please, call AddPrefix before using this method.");
if (!_listening)
throw new InvalidOperationException (
"Please, call Start before using this method.");
// Lock _waitQueue early to avoid race conditions
lock (((ICollection) _waitQueue).SyncRoot) {
lock (((ICollection) _contextQueue).SyncRoot) {
var context = getContextFromQueue ();
if (context != null) {
asyncResult.Complete (context, true);
return asyncResult;
}
}
_waitQueue.Add (asyncResult);
}
return asyncResult;
} }
internal void CheckDisposed () internal void CheckDisposed ()
{ {
if (disposed) if (_disposed)
throw new ObjectDisposedException (GetType ().ToString ()); throw new ObjectDisposedException (GetType ().ToString ());
} }
internal void RegisterContext (HttpListenerContext context) internal void RegisterContext (HttpListenerContext context)
{ {
lock (((ICollection)registry).SyncRoot) lock (((ICollection) _registry).SyncRoot)
registry [context] = context; _registry [context] = context;
ListenerAsyncResult ares = null; ListenerAsyncResult ares = null;
lock (((ICollection)wait_queue).SyncRoot) { lock (((ICollection) _waitQueue).SyncRoot) {
if (wait_queue.Count == 0) { if (_waitQueue.Count == 0) {
lock (((ICollection)ctx_queue).SyncRoot) lock (((ICollection) _contextQueue).SyncRoot)
ctx_queue.Add (context); _contextQueue.Add (context);
} else { }
ares = wait_queue [0]; else {
wait_queue.RemoveAt (0); ares = _waitQueue [0];
_waitQueue.RemoveAt (0);
} }
} }
@ -412,28 +507,28 @@ namespace WebSocketSharp.Net {
ares.Complete (context); ares.Complete (context);
} }
internal void RemoveConnection (HttpConnection cnc) internal void RemoveConnection (HttpConnection connection)
{ {
connections.Remove (cnc); _connections.Remove (connection);
} }
internal AuthenticationSchemes SelectAuthenticationScheme (HttpListenerContext context) internal AuthenticationSchemes SelectAuthenticationScheme (
HttpListenerContext context)
{ {
if (AuthenticationSchemeSelectorDelegate != null) return AuthenticationSchemeSelectorDelegate != null
return AuthenticationSchemeSelectorDelegate (context.Request); ? AuthenticationSchemeSelectorDelegate (context.Request)
else : _authSchemes;
return auth_schemes;
} }
internal void UnregisterContext (HttpListenerContext context) internal void UnregisterContext (HttpListenerContext context)
{ {
lock (((ICollection)registry).SyncRoot) lock (((ICollection) _registry).SyncRoot)
registry.Remove (context); _registry.Remove (context);
lock (((ICollection)ctx_queue).SyncRoot) { lock (((ICollection) _contextQueue).SyncRoot) {
int idx = ctx_queue.IndexOf (context); var i = _contextQueue.IndexOf (context);
if (idx >= 0) if (i >= 0)
ctx_queue.RemoveAt (idx); _contextQueue.RemoveAt (i);
} }
} }
@ -446,58 +541,52 @@ namespace WebSocketSharp.Net {
/// </summary> /// </summary>
public void Abort () public void Abort ()
{ {
if (disposed) if (_disposed)
return; return;
Close (true); close (true);
disposed = true; _disposed = true;
} }
/// <summary> /// <summary>
/// Begins getting an incoming request information asynchronously. /// Begins getting an incoming request information asynchronously.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This asynchronous operation must be completed by calling the <see cref="EndGetContext"/> method. /// This asynchronous operation must be completed by calling the
/// Typically, the method is invoked by the <paramref name="callback"/> delegate. /// <c>EndGetContext</c> method. Typically, that method is invoked by the
/// <paramref name="callback"/> delegate.
/// </remarks> /// </remarks>
/// <returns> /// <returns>
/// An <see cref="IAsyncResult"/> that contains the status of the asynchronous operation. /// An <see cref="IAsyncResult"/> that contains the status of the
/// asynchronous operation.
/// </returns> /// </returns>
/// <param name="callback"> /// <param name="callback">
/// An <see cref="AsyncCallback"/> delegate that references the method(s) /// An <see cref="AsyncCallback"/> delegate that references the method(s)
/// called when the asynchronous operation completes. /// called when the asynchronous operation completes.
/// </param> /// </param>
/// <param name="state"> /// <param name="state">
/// An <see cref="object"/> that contains a user defined object to pass to the <paramref name="callback"/> delegate. /// An <see cref="object"/> that contains a user defined object to pass to
/// the <paramref name="callback"/> delegate.
/// </param> /// </param>
/// <exception cref="InvalidOperationException">
/// <para>
/// The <see cref="HttpListener"/> does not have any URI prefixes to listen
/// on.
/// </para>
/// <para>
/// -or-
/// </para>
/// <para>
/// The <see cref="HttpListener"/> has not been started or is stopped
/// currently.
/// </para>
/// </exception>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
/// This object has been closed. /// This object has been closed.
/// </exception> /// </exception>
/// <exception cref="InvalidOperationException">
/// The <see cref="HttpListener"/> has not been started or is stopped currently.
/// </exception>
public IAsyncResult BeginGetContext (AsyncCallback callback, Object state) public IAsyncResult BeginGetContext (AsyncCallback callback, Object state)
{ {
CheckDisposed (); return BeginGetContext (new ListenerAsyncResult (callback, state));
if (!listening)
throw new InvalidOperationException ("Please, call Start before using this method.");
ListenerAsyncResult ares = new ListenerAsyncResult (callback, state);
// lock wait_queue early to avoid race conditions
lock (((ICollection)wait_queue).SyncRoot) {
lock (((ICollection)ctx_queue).SyncRoot) {
HttpListenerContext ctx = GetContextFromQueue ();
if (ctx != null) {
ares.Complete (ctx, true);
return ares;
}
}
wait_queue.Add (ares);
}
return ares;
} }
/// <summary> /// <summary>
@ -505,36 +594,41 @@ namespace WebSocketSharp.Net {
/// </summary> /// </summary>
public void Close () public void Close ()
{ {
if (disposed) if (_disposed)
return; return;
Close (false); close (false);
disposed = true; _disposed = true;
} }
/// <summary> /// <summary>
/// Ends an asynchronous operation to get an incoming request information. /// Ends an asynchronous operation to get an incoming request information.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This method completes an asynchronous operation started by calling the <see cref="BeginGetContext"/> method. /// This method completes an asynchronous operation started by calling the
/// <c>BeginGetContext</c> method.
/// </remarks> /// </remarks>
/// <returns> /// <returns>
/// A <see cref="HttpListenerContext"/> that contains a client's request information. /// A <see cref="HttpListenerContext"/> that contains a client's request
/// information.
/// </returns> /// </returns>
/// <param name="asyncResult"> /// <param name="asyncResult">
/// An <see cref="IAsyncResult"/> obtained by calling the <see cref="BeginGetContext"/> method. /// An <see cref="IAsyncResult"/> obtained by calling the
/// <c>BeginGetContext</c> method.
/// </param> /// </param>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ArgumentException">
/// This object has been closed. /// <paramref name="asyncResult"/> was not obtained by calling the
/// <c>BeginGetContext</c> method.
/// </exception> /// </exception>
/// <exception cref="ArgumentNullException"> /// <exception cref="ArgumentNullException">
/// <paramref name="asyncResult"/> is <see langword="null"/>. /// <paramref name="asyncResult"/> is <see langword="null"/>.
/// </exception> /// </exception>
/// <exception cref="ArgumentException">
/// <paramref name="asyncResult"/> was not obtained by calling the <see cref="BeginGetContext"/> method.
/// </exception>
/// <exception cref="InvalidOperationException"> /// <exception cref="InvalidOperationException">
/// The EndGetContext method was already called for the specified <paramref name="asyncResult"/>. /// This method was already called for the specified
/// <paramref name="asyncResult"/>.
/// </exception>
/// <exception cref="ObjectDisposedException">
/// This object has been closed.
/// </exception> /// </exception>
public HttpListenerContext EndGetContext (IAsyncResult asyncResult) public HttpListenerContext EndGetContext (IAsyncResult asyncResult)
{ {
@ -542,25 +636,28 @@ namespace WebSocketSharp.Net {
if (asyncResult == null) if (asyncResult == null)
throw new ArgumentNullException ("asyncResult"); throw new ArgumentNullException ("asyncResult");
ListenerAsyncResult ares = asyncResult as ListenerAsyncResult; var ares = asyncResult as ListenerAsyncResult;
if (ares == null) if (ares == null)
throw new ArgumentException ("Wrong IAsyncResult.", "asyncResult"); throw new ArgumentException ("Wrong IAsyncResult.", "asyncResult");
if (ares.EndCalled) if (ares.EndCalled)
throw new InvalidOperationException ("Cannot reuse this IAsyncResult."); throw new InvalidOperationException ("Cannot reuse this IAsyncResult.");
ares.EndCalled = true;
ares.EndCalled = true;
if (!ares.IsCompleted) if (!ares.IsCompleted)
ares.AsyncWaitHandle.WaitOne (); ares.AsyncWaitHandle.WaitOne ();
lock (((ICollection)wait_queue).SyncRoot) { lock (((ICollection) _waitQueue).SyncRoot) {
int idx = wait_queue.IndexOf (ares); var i = _waitQueue.IndexOf (ares);
if (idx >= 0) if (i >= 0)
wait_queue.RemoveAt (idx); _waitQueue.RemoveAt (i);
} }
HttpListenerContext context = ares.GetContext (); var context = ares.GetContext ();
context.ParseAuthentication (SelectAuthenticationScheme (context)); var authScheme = SelectAuthenticationScheme (context);
if (authScheme != AuthenticationSchemes.Anonymous)
context.SetUser (authScheme, Realm, UserCredentialsFinder);
return context; // This will throw on error. return context; // This will throw on error.
} }
@ -568,21 +665,24 @@ namespace WebSocketSharp.Net {
/// Gets an incoming request information. /// Gets an incoming request information.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This method waits for an incoming request and returns the request information /// This method waits for an incoming request and returns the request
/// when received the request. /// information when received the request.
/// </remarks> /// </remarks>
/// <returns> /// <returns>
/// A <see cref="HttpListenerContext"/> that contains a client's request information. /// A <see cref="HttpListenerContext"/> that contains a client's request
/// information.
/// </returns> /// </returns>
/// <exception cref="InvalidOperationException"> /// <exception cref="InvalidOperationException">
/// <para> /// <para>
/// The <see cref="HttpListener"/> does not have any URI prefixes to listen on. /// The <see cref="HttpListener"/> does not have any URI prefixes to listen
/// on.
/// </para> /// </para>
/// <para> /// <para>
/// -or- /// -or-
/// </para> /// </para>
/// <para> /// <para>
/// The <see cref="HttpListener"/> has not been started or is stopped currently. /// The <see cref="HttpListener"/> has not been started or is stopped
/// currently.
/// </para> /// </para>
/// </exception> /// </exception>
/// <exception cref="ObjectDisposedException"> /// <exception cref="ObjectDisposedException">
@ -590,12 +690,9 @@ namespace WebSocketSharp.Net {
/// </exception> /// </exception>
public HttpListenerContext GetContext () public HttpListenerContext GetContext ()
{ {
// The prefixes are not checked when using the async interface!? var ares = BeginGetContext (new ListenerAsyncResult (null, null));
if (prefixes.Count == 0)
throw new InvalidOperationException ("Please, call AddPrefix before using this method.");
ListenerAsyncResult ares = (ListenerAsyncResult) BeginGetContext (null, null);
ares.InGet = true; ares.InGet = true;
return EndGetContext (ares); return EndGetContext (ares);
} }
@ -608,11 +705,11 @@ namespace WebSocketSharp.Net {
public void Start () public void Start ()
{ {
CheckDisposed (); CheckDisposed ();
if (listening) if (_listening)
return; return;
EndPointManager.AddListener (this); EndPointManager.AddListener (this);
listening = true; _listening = true;
} }
/// <summary> /// <summary>
@ -624,12 +721,12 @@ namespace WebSocketSharp.Net {
public void Stop () public void Stop ()
{ {
CheckDisposed (); CheckDisposed ();
if (!listening) if (!_listening)
return; return;
listening = false; _listening = false;
EndPointManager.RemoveListener (this); EndPointManager.RemoveListener (this);
SendServiceUnavailable (); sendServiceUnavailable ();
} }
#endregion #endregion
@ -641,11 +738,11 @@ namespace WebSocketSharp.Net {
/// </summary> /// </summary>
void IDisposable.Dispose () void IDisposable.Dispose ()
{ {
if (disposed) if (_disposed)
return; return;
Close (true); // TODO: Should we force here or not? close (true); // TODO: Should we force here or not?
disposed = true; _disposed = true;
} }
#endregion #endregion

View File

@ -1,33 +1,40 @@
#region License #region License
// /*
// HttpListenerContext.cs * HttpListenerContext.cs
// Copied from System.Net.HttpListenerContext.cs *
// * This code is derived from System.Net.HttpListenerContext.cs of Mono
// Author: * (http://www.mono-project.com).
// Gonzalo Paniagua Javier (gonzalo@novell.com) *
// * The MIT License
// Copyright (c) 2005 Novell, Inc. (http://www.novell.com) *
// Copyright (c) 2012-2013 sta.blockhead (sta.blockhead@gmail.com) * Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
// * Copyright (c) 2012-2013 sta.blockhead
// Permission is hereby granted, free of charge, to any person obtaining *
// a copy of this software and associated documentation files (the * Permission is hereby granted, free of charge, to any person obtaining a copy
// "Software"), to deal in the Software without restriction, including * of this software and associated documentation files (the "Software"), to deal
// without limitation the rights to use, copy, modify, merge, publish, * in the Software without restriction, including without limitation the rights
// distribute, sublicense, and/or sell copies of the Software, and to * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// permit persons to whom the Software is furnished to do so, subject to * copies of the Software, and to permit persons to whom the Software is
// the following conditions: * furnished to do so, subject to the following conditions:
// *
// The above copyright notice and this permission notice shall be * The above copyright notice and this permission notice shall be included in
// included in all copies or substantial portions of the Software. * all copies or substantial portions of the Software.
// *
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * THE SOFTWARE.
// */
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@novell.com>
*/
#endregion #endregion
using System; using System;
@ -37,16 +44,17 @@ using System.Security.Principal;
using System.Text; using System.Text;
using WebSocketSharp.Net.WebSockets; using WebSocketSharp.Net.WebSockets;
namespace WebSocketSharp.Net { namespace WebSocketSharp.Net
{
/// <summary> /// <summary>
/// Provides access to the HTTP request and response objects used by the <see cref="HttpListener"/> class. /// Provides access to the HTTP request and response information used by the
/// <see cref="HttpListener"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The HttpListenerContext class cannot be inherited. /// The HttpListenerContext class cannot be inherited.
/// </remarks> /// </remarks>
public sealed class HttpListenerContext { public sealed class HttpListenerContext
{
#region Private Fields #region Private Fields
private HttpConnection _connection; private HttpConnection _connection;
@ -64,7 +72,7 @@ namespace WebSocketSharp.Net {
#endregion #endregion
#region Constructor #region Internal Constructors
internal HttpListenerContext (HttpConnection connection) internal HttpListenerContext (HttpConnection connection)
{ {
@ -106,7 +114,7 @@ namespace WebSocketSharp.Net {
internal bool HaveError { internal bool HaveError {
get { get {
return _error != null; return _error != null && _error.Length > 0;
} }
} }
@ -115,10 +123,12 @@ namespace WebSocketSharp.Net {
#region Public Properties #region Public Properties
/// <summary> /// <summary>
/// Gets the <see cref="HttpListenerRequest"/> that contains the HTTP request from a client. /// Gets the <see cref="HttpListenerRequest"/> that contains the HTTP
/// request information from a client.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="HttpListenerRequest"/> that contains the HTTP request objects. /// A <see cref="HttpListenerRequest"/> that contains the HTTP request
/// information.
/// </value> /// </value>
public HttpListenerRequest Request { public HttpListenerRequest Request {
get { get {
@ -127,11 +137,13 @@ namespace WebSocketSharp.Net {
} }
/// <summary> /// <summary>
/// Gets the <see cref="HttpListenerResponse"/> that contains the HTTP response to send to /// Gets the <see cref="HttpListenerResponse"/> that contains the HTTP
/// the client in response to the client's request. /// response information to send to the client in response to the client's
/// request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="HttpListenerResponse"/> that contains the HTTP response objects. /// A <see cref="HttpListenerResponse"/> that contains the HTTP response
/// information.
/// </value> /// </value>
public HttpListenerResponse Response { public HttpListenerResponse Response {
get { get {
@ -140,7 +152,8 @@ namespace WebSocketSharp.Net {
} }
/// <summary> /// <summary>
/// Gets the client information (identity, authentication information and security roles). /// Gets the client information (identity, authentication information, and
/// security roles).
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="IPrincipal"/> contains the client information. /// A <see cref="IPrincipal"/> contains the client information.
@ -155,47 +168,38 @@ namespace WebSocketSharp.Net {
#region Internal Methods #region Internal Methods
internal void ParseAuthentication (AuthenticationSchemes expectedSchemes) internal void SetUser (
AuthenticationSchemes expectedScheme,
string realm,
Func<IIdentity, NetworkCredential> credentialsFinder)
{ {
if (expectedSchemes == AuthenticationSchemes.Anonymous) var authRes = AuthenticationResponse.Parse (_request.Headers ["Authorization"]);
if (authRes == null)
return; return;
// TODO: Handle NTLM/Digest modes. var identity = authRes.ToIdentity ();
var header = _request.Headers ["Authorization"]; if (identity == null)
if (header == null || header.Length < 2)
return; return;
var authData = header.Split (new char [] {' '}, 2); NetworkCredential credentials = null;
if (authData [0].ToLower () == "basic")
_user = ParseBasicAuthentication (authData [1]);
// TODO: Throw if malformed -> 400 bad request.
}
internal IPrincipal ParseBasicAuthentication (string authData)
{
try { try {
// HTTP Basic Authentication data is a formatted Base64 string. credentials = credentialsFinder (identity);
var authString = Encoding.Default.GetString (Convert.FromBase64String (authData));
// The format is domain\username:password.
// Domain is optional.
var pos = authString.IndexOf (':');
var user = authString.Substring (0, pos);
var password = authString.Substring (pos + 1);
// Check if there is a domain.
pos = user.IndexOf ('\\');
if (pos > 0)
user = user.Substring (pos + 1);
var identity = new System.Net.HttpListenerBasicIdentity (user, password);
// TODO: What are the roles MS sets?
return new GenericPrincipal (identity, new string [0]);
} catch {
return null;
} }
catch {
}
if (credentials == null)
return;
var valid = expectedScheme == AuthenticationSchemes.Basic
? ((HttpBasicIdentity) identity).Password == credentials.Password
: expectedScheme == AuthenticationSchemes.Digest
? ((HttpDigestIdentity) identity).IsValid (
credentials.Password, realm, _request.HttpMethod, null)
: false;
if (valid)
_user = new GenericPrincipal (identity, credentials.Roles);
} }
#endregion #endregion
@ -203,14 +207,19 @@ namespace WebSocketSharp.Net {
#region Public Method #region Public Method
/// <summary> /// <summary>
/// Accepts a WebSocket connection by the <see cref="HttpListener"/>. /// Accepts a WebSocket connection request.
/// </summary> /// </summary>
/// <returns> /// <returns>
/// A <see cref="HttpListenerWebSocketContext"/> that contains a WebSocket connection. /// A <see cref="HttpListenerWebSocketContext"/> that contains a WebSocket
/// connection request information.
/// </returns> /// </returns>
public HttpListenerWebSocketContext AcceptWebSocket () /// <param name="logger">
/// A <see cref="Logger"/> that provides the logging functions used in the
/// WebSocket attempts.
/// </param>
public HttpListenerWebSocketContext AcceptWebSocket (Logger logger)
{ {
return new HttpListenerWebSocketContext (this); return new HttpListenerWebSocketContext (this, logger);
} }
#endregion #endregion

View File

@ -1,49 +1,54 @@
#region License #region License
// /*
// HttpListenerRequest.cs * HttpListenerRequest.cs
// Copied from System.Net.HttpListenerRequest.cs *
// * This code is derived from System.Net.HttpListenerRequest.cs of Mono
// Author: * (http://www.mono-project.com).
// Gonzalo Paniagua Javier (gonzalo@novell.com) *
// * The MIT License
// Copyright (c) 2005 Novell, Inc. (http://www.novell.com) *
// Copyright (c) 2012-2013 sta.blockhead * Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
// * Copyright (c) 2012-2014 sta.blockhead
// Permission is hereby granted, free of charge, to any person obtaining *
// a copy of this software and associated documentation files (the * Permission is hereby granted, free of charge, to any person obtaining a copy
// "Software"), to deal in the Software without restriction, including * of this software and associated documentation files (the "Software"), to deal
// without limitation the rights to use, copy, modify, merge, publish, * in the Software without restriction, including without limitation the rights
// distribute, sublicense, and/or sell copies of the Software, and to * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// permit persons to whom the Software is furnished to do so, subject to * copies of the Software, and to permit persons to whom the Software is
// the following conditions: * furnished to do so, subject to the following conditions:
// *
// The above copyright notice and this permission notice shall be * The above copyright notice and this permission notice shall be included in
// included in all copies or substantial portions of the Software. * all copies or substantial portions of the Software.
// *
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * THE SOFTWARE.
// */
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@novell.com>
*/
#endregion #endregion
using System; using System;
using System.Collections.Generic;
using System.Collections.Specialized; using System.Collections.Specialized;
using System.Globalization; using System.Globalization;
using System.IO; using System.IO;
using System.Linq; using System.Linq;
using System.Net;
using System.Security.Cryptography.X509Certificates; using System.Security.Cryptography.X509Certificates;
using System.Text; using System.Text;
namespace WebSocketSharp.Net namespace WebSocketSharp.Net
{ {
/// <summary> /// <summary>
/// Provides access to a request to a <see cref="HttpListener"/> instance. /// Provides access to a request to the <see cref="HttpListener"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The HttpListenerRequest class cannot be inherited. /// The HttpListenerRequest class cannot be inherited.
@ -52,7 +57,8 @@ namespace WebSocketSharp.Net
{ {
#region Private Static Fields #region Private Static Fields
private static byte [] _100continue = Encoding.ASCII.GetBytes ("HTTP/1.1 100 Continue\r\n\r\n"); private static byte [] _100continue =
Encoding.ASCII.GetBytes ("HTTP/1.1 100 Continue\r\n\r\n");
#endregion #endregion
@ -99,8 +105,9 @@ namespace WebSocketSharp.Net
/// Gets the media types which are acceptable for the response. /// Gets the media types which are acceptable for the response.
/// </summary> /// </summary>
/// <value> /// <value>
/// An array of <see cref="string"/> that contains the media type names in the Accept request-header /// An array of <see cref="string"/> that contains the media type names in
/// or <see langword="null"/> if the request did not include an Accept header. /// the Accept request-header or <see langword="null"/> if the request didn't
/// include an Accept header.
/// </value> /// </value>
public string [] AcceptTypes { public string [] AcceptTypes {
get { get {
@ -109,7 +116,8 @@ namespace WebSocketSharp.Net
} }
/// <summary> /// <summary>
/// Gets an error code that identifies a problem with the client's certificate. /// Gets an error code that identifies a problem with the client's
/// certificate.
/// </summary> /// </summary>
/// <value> /// <value>
/// Always returns <c>0</c>. /// Always returns <c>0</c>.
@ -132,15 +140,13 @@ namespace WebSocketSharp.Net
/// Gets the encoding used with the entity body data included in the request. /// Gets the encoding used with the entity body data included in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Encoding"/> that indicates the encoding used with the entity body data /// A <see cref="Encoding"/> that represents the encoding used with the entity
/// or <see cref="Encoding.Default"/> if the request did not include the information about the encoding. /// body data or <see cref="Encoding.Default"/> if the request didn't include
/// the information about the encoding.
/// </value> /// </value>
public Encoding ContentEncoding { public Encoding ContentEncoding {
get { get {
if (_contentEncoding == null) return _contentEncoding ?? (_contentEncoding = Encoding.Default);
_contentEncoding = Encoding.Default;
return _contentEncoding;
} }
} }
@ -148,8 +154,9 @@ namespace WebSocketSharp.Net
/// Gets the size of the entity body data included in the request. /// Gets the size of the entity body data included in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="long"/> that contains the value of the Content-Length entity-header. /// A <see cref="long"/> that represents the value of the Content-Length
/// The value is a number of bytes in the entity body data. <c>-1</c> if the size is not known. /// entity-header. The value is a number of bytes in the entity body data.
/// <c>-1</c> if the size isn't known.
/// </value> /// </value>
public long ContentLength64 { public long ContentLength64 {
get { get {
@ -161,7 +168,8 @@ namespace WebSocketSharp.Net
/// Gets the media type of the entity body included in the request. /// Gets the media type of the entity body included in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Content-Type entity-header. /// A <see cref="string"/> that represents the value of the Content-Type
/// entity-header.
/// </value> /// </value>
public string ContentType { public string ContentType {
get { get {
@ -173,14 +181,12 @@ namespace WebSocketSharp.Net
/// Gets the cookies included in the request. /// Gets the cookies included in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="CookieCollection"/> that contains the cookies included in the request. /// A <see cref="CookieCollection"/> that contains the cookies included in
/// the request.
/// </value> /// </value>
public CookieCollection Cookies { public CookieCollection Cookies {
get { get {
if (_cookies == null) return _cookies ?? (_cookies = _headers.GetCookies (false));
_cookies = _headers.GetCookies (false);
return _cookies;
} }
} }
@ -200,7 +206,8 @@ namespace WebSocketSharp.Net
/// Gets the HTTP headers used in the request. /// Gets the HTTP headers used in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="NameValueCollection"/> that contains the HTTP headers used in the request. /// A <see cref="NameValueCollection"/> that contains the HTTP headers used
/// in the request.
/// </value> /// </value>
public NameValueCollection Headers { public NameValueCollection Headers {
get { get {
@ -212,7 +219,7 @@ namespace WebSocketSharp.Net
/// Gets the HTTP method used in the request. /// Gets the HTTP method used in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the HTTP method used in the request. /// A <see cref="string"/> that represents the HTTP method used in the request.
/// </value> /// </value>
public string HttpMethod { public string HttpMethod {
get { get {
@ -221,40 +228,44 @@ namespace WebSocketSharp.Net
} }
/// <summary> /// <summary>
/// Gets a <see cref="Stream"/> that contains the entity body data included in the request. /// Gets a <see cref="Stream"/> that contains the entity body data included
/// in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Stream"/> that contains the entity body data included in the request. /// A <see cref="Stream"/> that contains the entity body data included in the
/// request.
/// </value> /// </value>
public Stream InputStream { public Stream InputStream {
get { get {
if (_inputStream == null) return _inputStream ??
_inputStream = HasEntityBody (_inputStream = HasEntityBody
? _context.Connection.GetRequestStream (_chunked, _contentLength) ? _context.Connection.GetRequestStream (
: Stream.Null; _chunked, _contentLength)
: Stream.Null);
return _inputStream;
} }
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the client that sent the request is authenticated. /// Gets a value indicating whether the client that sent the request is
/// authenticated.
/// </summary> /// </summary>
/// <value> /// <value>
/// Always returns <c>false</c>. /// <c>true</c> if the client is authenticated; otherwise, <c>false</c>.
/// </value> /// </value>
public bool IsAuthenticated { public bool IsAuthenticated {
get { get {
// TODO: Always returns false. var user = _context.User;
return false; return user != null && user.Identity.IsAuthenticated;
} }
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the request is sent from the local computer. /// Gets a value indicating whether the request is sent from the local
/// computer.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the request is sent from the local computer; otherwise, <c>false</c>. /// <c>true</c> if the request is sent from the local computer; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public bool IsLocal { public bool IsLocal {
get { get {
@ -263,7 +274,8 @@ namespace WebSocketSharp.Net
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the HTTP connection is secured using the SSL protocol. /// Gets a value indicating whether the HTTP connection is secured using the
/// SSL protocol.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the HTTP connection is secured; otherwise, <c>false</c>. /// <c>true</c> if the HTTP connection is secured; otherwise, <c>false</c>.
@ -275,10 +287,12 @@ namespace WebSocketSharp.Net
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the request is a WebSocket connection request. /// Gets a value indicating whether the request is a WebSocket connection
/// request.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the request is a WebSocket connection request; otherwise, <c>false</c>. /// <c>true</c> if the request is a WebSocket connection request; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public bool IsWebSocketRequest { public bool IsWebSocketRequest {
get { get {
@ -290,15 +304,18 @@ namespace WebSocketSharp.Net
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the client requests a persistent connection. /// Gets a value indicating whether the client requests a persistent
/// connection.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the client requests a persistent connection; otherwise, <c>false</c>. /// <c>true</c> if the client requests a persistent connection; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public bool KeepAlive { public bool KeepAlive {
get { get {
if (!_keepAliveWasSet) { if (!_keepAliveWasSet) {
_keepAlive = _headers.Contains ("Connection", "keep-alive") || _version == HttpVersion.Version11 _keepAlive = _headers.Contains ("Connection", "keep-alive") ||
_version == HttpVersion.Version11
? true ? true
: _headers.Contains ("Keep-Alive") : _headers.Contains ("Keep-Alive")
? !_headers.Contains ("Keep-Alive", "closed") ? !_headers.Contains ("Keep-Alive", "closed")
@ -315,9 +332,9 @@ namespace WebSocketSharp.Net
/// Gets the server endpoint as an IP address and a port number. /// Gets the server endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="IPEndPoint"/> that contains the server endpoint. /// A <see cref="System.Net.IPEndPoint"/> that represents the server endpoint.
/// </value> /// </value>
public IPEndPoint LocalEndPoint { public System.Net.IPEndPoint LocalEndPoint {
get { get {
return _context.Connection.LocalEndPoint; return _context.Connection.LocalEndPoint;
} }
@ -327,7 +344,8 @@ namespace WebSocketSharp.Net
/// Gets the HTTP version used in the request. /// Gets the HTTP version used in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Version"/> that contains the HTTP version used in the request. /// A <see cref="Version"/> that represents the HTTP version used in the
/// request.
/// </value> /// </value>
public Version ProtocolVersion { public Version ProtocolVersion {
get { get {
@ -339,7 +357,8 @@ namespace WebSocketSharp.Net
/// Gets the collection of query string variables used in the request. /// Gets the collection of query string variables used in the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="NameValueCollection"/> that contains the collection of query string variables used in the request. /// A <see cref="NameValueCollection"/> that contains the collection of query
/// string variables used in the request.
/// </value> /// </value>
public NameValueCollection QueryString { public NameValueCollection QueryString {
get { get {
@ -348,10 +367,12 @@ namespace WebSocketSharp.Net
} }
/// <summary> /// <summary>
/// Gets the raw URL (without the scheme, host and port) requested by the client. /// Gets the raw URL (without the scheme, host and port) requested by the
/// client.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the raw URL requested by the client. /// A <see cref="string"/> that represents the raw URL requested by the
/// client.
/// </value> /// </value>
public string RawUrl { public string RawUrl {
get { get {
@ -363,9 +384,9 @@ namespace WebSocketSharp.Net
/// Gets the client endpoint as an IP address and a port number. /// Gets the client endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="IPEndPoint"/> that contains the client endpoint. /// A <see cref="System.Net.IPEndPoint"/> that represents the client endpoint.
/// </value> /// </value>
public IPEndPoint RemoteEndPoint { public System.Net.IPEndPoint RemoteEndPoint {
get { get {
return _context.Connection.RemoteEndPoint; return _context.Connection.RemoteEndPoint;
} }
@ -375,7 +396,7 @@ namespace WebSocketSharp.Net
/// Gets the request identifier of a incoming HTTP request. /// Gets the request identifier of a incoming HTTP request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Guid"/> that contains the identifier of a request. /// A <see cref="Guid"/> that represents the identifier of a request.
/// </value> /// </value>
public Guid RequestTraceIdentifier { public Guid RequestTraceIdentifier {
get { get {
@ -387,7 +408,7 @@ namespace WebSocketSharp.Net
/// Gets the URL requested by the client. /// Gets the URL requested by the client.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Uri"/> that contains the URL requested by the client. /// A <see cref="Uri"/> that represents the URL requested by the client.
/// </value> /// </value>
public Uri Url { public Uri Url {
get { get {
@ -399,8 +420,9 @@ namespace WebSocketSharp.Net
/// Gets the URL of the resource from which the requested URL was obtained. /// Gets the URL of the resource from which the requested URL was obtained.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Uri"/> that contains the value of the Referer request-header /// A <see cref="Uri"/> that represents the value of the Referer
/// or <see langword="null"/> if the request did not include an Referer header. /// request-header or <see langword="null"/> if the request didn't include
/// an Referer header.
/// </value> /// </value>
public Uri UrlReferrer { public Uri UrlReferrer {
get { get {
@ -412,7 +434,8 @@ namespace WebSocketSharp.Net
/// Gets the information about the user agent originating the request. /// Gets the information about the user agent originating the request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the User-Agent request-header. /// A <see cref="string"/> that represents the value of the User-Agent
/// request-header.
/// </value> /// </value>
public string UserAgent { public string UserAgent {
get { get {
@ -424,7 +447,7 @@ namespace WebSocketSharp.Net
/// Gets the server endpoint as an IP address and a port number. /// Gets the server endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the server endpoint. /// A <see cref="string"/> that represents the server endpoint.
/// </value> /// </value>
public string UserHostAddress { public string UserHostAddress {
get { get {
@ -433,10 +456,12 @@ namespace WebSocketSharp.Net
} }
/// <summary> /// <summary>
/// Gets the internet host name and port number (if present) specified by the client. /// Gets the internet host name and port number (if present) specified by the
/// client.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Host request-header. /// A <see cref="string"/> that represents the value of the Host
/// request-header.
/// </value> /// </value>
public string UserHostName { public string UserHostName {
get { get {
@ -448,8 +473,9 @@ namespace WebSocketSharp.Net
/// Gets the natural languages which are preferred for the response. /// Gets the natural languages which are preferred for the response.
/// </summary> /// </summary>
/// <value> /// <value>
/// An array of <see cref="string"/> that contains the natural language names in the Accept-Language request-header /// An array of <see cref="string"/> that contains the natural language names
/// or <see langword="null"/> if the request did not include an Accept-Language header. /// in the Accept-Language request-header or <see langword="null"/> if the
/// request didn't include an Accept-Language header.
/// </value> /// </value>
public string [] UserLanguages { public string [] UserLanguages {
get { get {
@ -461,7 +487,7 @@ namespace WebSocketSharp.Net
#region Private Methods #region Private Methods
private void CreateQueryString (string query) private void createQueryString (string query)
{ {
if (query == null || query.Length == 0) { if (query == null || query.Length == 0) {
_queryString = new NameValueCollection (1); _queryString = new NameValueCollection (1);
@ -473,14 +499,15 @@ namespace WebSocketSharp.Net
query = query.Substring (1); query = query.Substring (1);
var components = query.Split ('&'); var components = query.Split ('&');
foreach (var kv in components) { foreach (var component in components) {
var pos = kv.IndexOf ('='); var i = component.IndexOf ('=');
if (pos == -1) { if (i == -1) {
_queryString.Add (null, HttpUtility.UrlDecode (kv)); _queryString.Add (null, HttpUtility.UrlDecode (component));
} else { }
var key = HttpUtility.UrlDecode (kv.Substring (0, pos)); else {
var val = HttpUtility.UrlDecode (kv.Substring (pos + 1)); var name = HttpUtility.UrlDecode (component.Substring (0, i));
_queryString.Add (key, val); var val = HttpUtility.UrlDecode (component.Substring (i + 1));
_queryString.Add (name, val);
} }
} }
} }
@ -492,7 +519,7 @@ namespace WebSocketSharp.Net
internal void AddHeader (string header) internal void AddHeader (string header)
{ {
var colon = header.IndexOf (':'); var colon = header.IndexOf (':');
if (colon <= 0) { if (colon == -1) {
_context.ErrorMessage = "Invalid header"; _context.ErrorMessage = "Invalid header";
return; return;
} }
@ -517,7 +544,8 @@ namespace WebSocketSharp.Net
if (Int64.TryParse (val, out length) && length >= 0) { if (Int64.TryParse (val, out length) && length >= 0) {
_contentLength = length; _contentLength = length;
_contentLengthWasSet = true; _contentLengthWasSet = true;
} else { }
else {
_context.ErrorMessage = "Invalid Content-Length header"; _context.ErrorMessage = "Invalid Content-Length header";
} }
@ -530,10 +558,11 @@ namespace WebSocketSharp.Net
var tmp = content.Trim (); var tmp = content.Trim ();
if (tmp.StartsWith ("charset")) { if (tmp.StartsWith ("charset")) {
var charset = tmp.GetValue ("="); var charset = tmp.GetValue ("=");
if (!charset.IsNullOrEmpty ()) { if (charset != null && charset.Length > 0) {
try { try {
_contentEncoding = Encoding.GetEncoding (charset); _contentEncoding = Encoding.GetEncoding (charset);
} catch { }
catch {
_context.ErrorMessage = "Invalid Content-Type header"; _context.ErrorMessage = "Invalid Content-Type header";
} }
} }
@ -551,43 +580,49 @@ namespace WebSocketSharp.Net
internal void FinishInitialization () internal void FinishInitialization ()
{ {
var host = UserHostName; var host = _headers ["Host"];
if (_version > HttpVersion.Version10 && host.IsNullOrEmpty ()) { var noHost = host == null || host.Length == 0;
if (_version > HttpVersion.Version10 && noHost) {
_context.ErrorMessage = "Invalid Host header"; _context.ErrorMessage = "Invalid Host header";
return; return;
} }
Uri rawUri = null; if (noHost)
var path = _rawUrl.MaybeUri () && Uri.TryCreate (_rawUrl, UriKind.Absolute, out rawUri)
? rawUri.PathAndQuery
: HttpUtility.UrlDecode (_rawUrl);
if (host.IsNullOrEmpty ())
host = UserHostAddress; host = UserHostAddress;
if (rawUri != null) string path;
var rawUri = _rawUrl.ToUri ();
if (rawUri != null && rawUri.IsAbsoluteUri) {
host = rawUri.Host; host = rawUri.Host;
path = rawUri.PathAndQuery;
}
else
path = HttpUtility.UrlDecode (_rawUrl);
var colon = host.IndexOf (':'); var colon = host.IndexOf (':');
if (colon >= 0) if (colon != -1)
host = host.Substring (0, colon); host = host.Substring (0, colon);
var baseUri = String.Format ("{0}://{1}:{2}", var scheme = IsWebSocketRequest ? "ws" : "http";
IsSecureConnection ? "https" : "http", var url = String.Format (
"{0}://{1}:{2}{3}",
IsSecureConnection ? scheme + "s" : scheme,
host, host,
LocalEndPoint.Port); LocalEndPoint.Port,
path);
if (!Uri.TryCreate (baseUri + path, UriKind.Absolute, out _url)) { if (!Uri.TryCreate (url, UriKind.Absolute, out _url)) {
_context.ErrorMessage = "Invalid request url: " + baseUri + path; _context.ErrorMessage = "Invalid request url: " + url;
return; return;
} }
CreateQueryString (_url.Query); createQueryString (_url.Query);
var encoding = Headers ["Transfer-Encoding"]; var encoding = Headers ["Transfer-Encoding"];
if (_version >= HttpVersion.Version11 && !encoding.IsNullOrEmpty ()) { if (_version >= HttpVersion.Version11 &&
encoding != null &&
encoding.Length > 0) {
_chunked = encoding.ToLower () == "chunked"; _chunked = encoding.ToLower () == "chunked";
// 'identity' is not valid!
if (!_chunked) { if (!_chunked) {
_context.ErrorMessage = String.Empty; _context.ErrorMessage = String.Empty;
_context.ErrorStatus = 501; _context.ErrorStatus = 501;
@ -607,7 +642,9 @@ namespace WebSocketSharp.Net
} }
var expect = Headers ["Expect"]; var expect = Headers ["Expect"];
if (!expect.IsNullOrEmpty () && expect.ToLower () == "100-continue") { if (expect != null &&
expect.Length > 0 &&
expect.ToLower () == "100-continue") {
var output = _context.Connection.GetResponseStream (); var output = _context.Connection.GetResponseStream ();
output.InternalWrite (_100continue, 0, _100continue.Length); output.InternalWrite (_100continue, 0, _100continue.Length);
} }
@ -633,7 +670,8 @@ namespace WebSocketSharp.Net
if (InputStream.EndRead (ares) <= 0) if (InputStream.EndRead (ares) <= 0)
return true; return true;
} catch { }
catch {
return false; return false;
} }
} }
@ -664,7 +702,8 @@ namespace WebSocketSharp.Net
_version = new Version (parts [2].Substring (5)); _version = new Version (parts [2].Substring (5));
if (_version.Major < 1) if (_version.Major < 1)
throw new Exception (); throw new Exception ();
} catch { }
catch {
_context.ErrorMessage = "Invalid request line (version)"; _context.ErrorMessage = "Invalid request line (version)";
} }
} }
@ -677,23 +716,27 @@ namespace WebSocketSharp.Net
/// Begins getting the client's X.509 v.3 certificate asynchronously. /// Begins getting the client's X.509 v.3 certificate asynchronously.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This asynchronous operation must be completed by calling the <see cref="EndGetClientCertificate"/> method. /// This asynchronous operation must be completed by calling the
/// Typically, the method is invoked by the <paramref name="requestCallback"/> delegate. /// <see cref="EndGetClientCertificate"/> method. Typically, that method is
/// invoked by the <paramref name="requestCallback"/> delegate.
/// </remarks> /// </remarks>
/// <returns> /// <returns>
/// An <see cref="IAsyncResult"/> that contains the status of the asynchronous operation. /// An <see cref="IAsyncResult"/> that contains the status of the
/// asynchronous operation.
/// </returns> /// </returns>
/// <param name="requestCallback"> /// <param name="requestCallback">
/// An <see cref="AsyncCallback"/> delegate that references the method(s) /// An <see cref="AsyncCallback"/> delegate that references the method(s)
/// called when the asynchronous operation completes. /// called when the asynchronous operation completes.
/// </param> /// </param>
/// <param name="state"> /// <param name="state">
/// An <see cref="object"/> that contains a user defined object to pass to the <paramref name="requestCallback"/> delegate. /// An <see cref="object"/> that contains a user defined object to pass to
/// the <paramref name="requestCallback"/> delegate.
/// </param> /// </param>
/// <exception cref="NotImplementedException"> /// <exception cref="NotImplementedException">
/// This method is not implemented. /// This method is not implemented.
/// </exception> /// </exception>
public IAsyncResult BeginGetClientCertificate (AsyncCallback requestCallback, Object state) public IAsyncResult BeginGetClientCertificate (
AsyncCallback requestCallback, Object state)
{ {
// TODO: Not Implemented. // TODO: Not Implemented.
throw new NotImplementedException (); throw new NotImplementedException ();
@ -703,13 +746,16 @@ namespace WebSocketSharp.Net
/// Ends an asynchronous operation to get the client's X.509 v.3 certificate. /// Ends an asynchronous operation to get the client's X.509 v.3 certificate.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This method completes an asynchronous operation started by calling the <see cref="BeginGetClientCertificate"/> method. /// This method completes an asynchronous operation started by calling the
/// <see cref="BeginGetClientCertificate"/> method.
/// </remarks> /// </remarks>
/// <returns> /// <returns>
/// A <see cref="X509Certificate2"/> that contains the client's X.509 v.3 certificate. /// A <see cref="X509Certificate2"/> that contains the client's X.509 v.3
/// certificate.
/// </returns> /// </returns>
/// <param name="asyncResult"> /// <param name="asyncResult">
/// An <see cref="IAsyncResult"/> obtained by calling the <see cref="BeginGetClientCertificate"/> method. /// An <see cref="IAsyncResult"/> obtained by calling the
/// <see cref="BeginGetClientCertificate"/> method.
/// </param> /// </param>
/// <exception cref="NotImplementedException"> /// <exception cref="NotImplementedException">
/// This method is not implemented. /// This method is not implemented.
@ -724,7 +770,8 @@ namespace WebSocketSharp.Net
/// Gets the client's X.509 v.3 certificate. /// Gets the client's X.509 v.3 certificate.
/// </summary> /// </summary>
/// <returns> /// <returns>
/// A <see cref="X509Certificate2"/> that contains the client's X.509 v.3 certificate. /// A <see cref="X509Certificate2"/> that contains the client's X.509 v.3
/// certificate.
/// </returns> /// </returns>
/// <exception cref="NotImplementedException"> /// <exception cref="NotImplementedException">
/// This method is not implemented. /// This method is not implemented.
@ -736,16 +783,18 @@ namespace WebSocketSharp.Net
} }
/// <summary> /// <summary>
/// Returns a <see cref="string"/> that represents the current <see cref="HttpListenerRequest"/>. /// Returns a <see cref="string"/> that represents the current
/// <see cref="HttpListenerRequest"/>.
/// </summary> /// </summary>
/// <returns> /// <returns>
/// A <see cref="string"/> that represents the current <see cref="HttpListenerRequest"/>. /// A <see cref="string"/> that represents the current
/// <see cref="HttpListenerRequest"/>.
/// </returns> /// </returns>
public override string ToString () public override string ToString ()
{ {
var buffer = new StringBuilder (64); var buffer = new StringBuilder (64);
buffer.AppendFormat ("{0} {1} HTTP/{2}\r\n", _method, _rawUrl, _version); buffer.AppendFormat ("{0} {1} HTTP/{2}\r\n", _method, _rawUrl, _version);
foreach (string key in _headers.AllKeys) foreach (var key in _headers.AllKeys)
buffer.AppendFormat ("{0}: {1}\r\n", key, _headers [key]); buffer.AppendFormat ("{0}: {1}\r\n", key, _headers [key]);
buffer.Append ("\r\n"); buffer.Append ("\r\n");

File diff suppressed because it is too large Load Diff

View File

@ -1,36 +1,43 @@
#region License #region License
// /*
// HttpUtility.cs * HttpUtility.cs
// Copied from System.Net.HttpUtility.cs *
// * This code is derived from System.Net.HttpUtility.cs of Mono
// Authors: * (http://www.mono-project.com).
// Patrik Torstensson (Patrik.Torstensson@labs2.com) *
// Wictor Wilén (decode/encode functions) (wictor@ibizkit.se) * The MIT License
// Tim Coleman (tim@timcoleman.com) *
// Gonzalo Paniagua Javier (gonzalo@ximian.com) * Copyright (c) 2005-2009 Novell, Inc. (http://www.novell.com)
// * Copyright (c) 2012-2013 sta.blockhead
// Copyright (C) 2005-2009 Novell, Inc (http://www.novell.com) *
// Copyright (c) 2012-2013 sta.blockhead (sta.blockhead@gmail.com) * Permission is hereby granted, free of charge, to any person obtaining a copy
// * of this software and associated documentation files (the "Software"), to deal
// Permission is hereby granted, free of charge, to any person obtaining * in the Software without restriction, including without limitation the rights
// a copy of this software and associated documentation files (the * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// "Software"), to deal in the Software without restriction, including * copies of the Software, and to permit persons to whom the Software is
// without limitation the rights to use, copy, modify, merge, publish, * furnished to do so, subject to the following conditions:
// distribute, sublicense, and/or sell copies of the Software, and to *
// permit persons to whom the Software is furnished to do so, subject to * The above copyright notice and this permission notice shall be included in
// the following conditions: * all copies or substantial portions of the Software.
// *
// The above copyright notice and this permission notice shall be * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// included in all copies or substantial portions of the Software. * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * THE SOFTWARE.
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION */
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION #endregion
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
// #region Authors
/*
* Authors:
* Patrik Torstensson <Patrik.Torstensson@labs2.com>
* Wictor Wilén (decode/encode functions) <wictor@ibizkit.se>
* Tim Coleman <tim@timcoleman.com>
* Gonzalo Paniagua Javier <gonzalo@ximian.com>
*/
#endregion #endregion
using System; using System;
@ -40,11 +47,12 @@ using System.Collections.Specialized;
using System.Globalization; using System.Globalization;
using System.IO; using System.IO;
using System.Text; using System.Text;
using System.Security.Cryptography;
namespace WebSocketSharp.Net { namespace WebSocketSharp.Net
{
internal sealed class HttpUtility { internal sealed class HttpUtility
{
sealed class HttpQSCollection : NameValueCollection sealed class HttpQSCollection : NameValueCollection
{ {
public override string ToString () public override string ToString ()
@ -90,6 +98,32 @@ namespace WebSocketSharp.Net {
#region Private Methods #region Private Methods
private static string A1 (string username, string password, string realm)
{
return String.Format ("{0}:{1}:{2}", username, realm, password);
}
private static string A1 (
string username,
string password,
string realm,
string nonce,
string cnonce)
{
return String.Format (
"{0}:{1}:{2}", Hash (A1 (username, password, realm)), nonce, cnonce);
}
private static string A2 (string method, string uri)
{
return String.Format ("{0}:{1}", method, uri);
}
private static string A2 (string method, string uri, string entity)
{
return String.Format ("{0}:{1}:{2}", method, uri, entity);
}
private static int GetChar (byte [] bytes, int offset, int length) private static int GetChar (byte [] bytes, int offset, int length)
{ {
var value = 0; var value = 0;
@ -144,6 +178,18 @@ namespace WebSocketSharp.Net {
: -1; : -1;
} }
private static string Hash (string value)
{
var md5 = MD5.Create ();
var src = Encoding.UTF8.GetBytes (value);
var hashed = md5.ComputeHash (src);
var result = new StringBuilder (64);
foreach (var b in hashed)
result.Append (b.ToString ("x2"));
return result.ToString ();
}
private static void InitEntities () private static void InitEntities ()
{ {
// Build the dictionary of HTML entity references. // Build the dictionary of HTML entity references.
@ -403,6 +449,11 @@ namespace WebSocketSharp.Net {
_entities.Add ("euro", '\u20AC'); _entities.Add ("euro", '\u20AC');
} }
private static string KD (string secret, string data)
{
return Hash (String.Format ("{0}:{1}", secret, data));
}
private static bool NotEncoded (char c) private static bool NotEncoded (char c)
{ {
return c == '!' || return c == '!' ||
@ -503,6 +554,105 @@ namespace WebSocketSharp.Net {
#region Internal Methods #region Internal Methods
internal static string CreateBasicAuthChallenge (string realm)
{
return String.Format ("Basic realm=\"{0}\"", realm);
}
internal static string CreateBasicAuthCredentials (
string username, string password)
{
var userPass = String.Format ("{0}:{1}", username, password);
var base64UserPass = Convert.ToBase64String (
Encoding.UTF8.GetBytes (userPass));
return "Basic " + base64UserPass;
}
internal static string CreateDigestAuthChallenge (string realm)
{
var nonce = CreateNonceValue ();
var algorithm = "MD5";
var qop = "auth";
return String.Format (
"Digest realm=\"{0}\", nonce=\"{1}\", algorithm={2}, qop=\"{3}\"",
realm,
nonce,
algorithm,
qop);
}
internal static string CreateDigestAuthCredentials (
NameValueCollection authParams)
{
var digestRes = new StringBuilder (64);
digestRes.AppendFormat ("username=\"{0}\"", authParams ["username"]);
digestRes.AppendFormat (", realm=\"{0}\"", authParams ["realm"]);
digestRes.AppendFormat (", nonce=\"{0}\"", authParams ["nonce"]);
digestRes.AppendFormat (", uri=\"{0}\"", authParams ["uri"]);
var algorithm = authParams ["algorithm"];
if (algorithm != null)
digestRes.AppendFormat (", algorithm={0}", algorithm);
digestRes.AppendFormat (", response=\"{0}\"", authParams ["response"]);
var qop = authParams ["qop"];
if (qop != null) {
digestRes.AppendFormat (", qop={0}", qop);
digestRes.AppendFormat (", nc={0}", authParams ["nc"]);
digestRes.AppendFormat (", cnonce=\"{0}\"", authParams ["cnonce"]);
}
var opaque = authParams ["opaque"];
if (opaque != null)
digestRes.AppendFormat (", opaque=\"{0}\"", opaque);
return "Digest " + digestRes.ToString ();
}
internal static string CreateNonceValue ()
{
var src = new byte [16];
var rand = new Random ();
rand.NextBytes (src);
var nonce = new StringBuilder (32);
foreach (var b in src)
nonce.Append (b.ToString ("x2"));
return nonce.ToString ();
}
internal static string CreateRequestDigest (NameValueCollection parameters)
{
var username = parameters ["username"];
var password = parameters ["password"];
var realm = parameters ["realm"];
var nonce = parameters ["nonce"];
var uri = parameters ["uri"];
var algorithm = parameters ["algorithm"];
var qop = parameters ["qop"];
var nc = parameters ["nc"];
var cnonce = parameters ["cnonce"];
var method = parameters ["method"];
var a1 = algorithm != null && algorithm.ToLower () == "md5-sess"
? A1 (username, password, realm, nonce, cnonce)
: A1 (username, password, realm);
var a2 = qop != null && qop.ToLower () == "auth-int"
? A2 (method, uri, parameters ["entity"])
: A2 (method, uri);
var secret = Hash (a1);
var data = qop != null
? String.Format ("{0}:{1}:{2}:{3}:{4}", nonce, nc, cnonce, qop, Hash (a2))
: String.Format ("{0}:{1}", nonce, Hash (a2));
return KD (secret, data);
}
internal static void ParseQueryString (string query, Encoding encoding, NameValueCollection result) internal static void ParseQueryString (string query, Encoding encoding, NameValueCollection result)
{ {
if (query.Length == 0) if (query.Length == 0)

View File

@ -1,57 +1,59 @@
// #region License
// ListenerAsyncResult.cs /*
// Copied from System.Net.ListenerAsyncResult.cs * ListenerAsyncResult.cs
// *
// Authors: * This code is derived from System.Net.ListenerAsyncResult.cs of Mono
// Gonzalo Paniagua Javier (gonzalo@ximian.com) * (http://www.mono-project.com).
// *
// Copyright (c) 2005 Ximian, Inc (http://www.ximian.com) * The MIT License
// *
// Permission is hereby granted, free of charge, to any person obtaining * Copyright (c) 2005 Ximian, Inc. (http://www.ximian.com)
// a copy of this software and associated documentation files (the * Copyright (c) 2012-2013 sta.blockhead
// "Software"), to deal in the Software without restriction, including *
// without limitation the rights to use, copy, modify, merge, publish, * Permission is hereby granted, free of charge, to any person obtaining a copy
// distribute, sublicense, and/or sell copies of the Software, and to * of this software and associated documentation files (the "Software"), to deal
// permit persons to whom the Software is furnished to do so, subject to * in the Software without restriction, including without limitation the rights
// the following conditions: * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// * copies of the Software, and to permit persons to whom the Software is
// The above copyright notice and this permission notice shall be * furnished to do so, subject to the following conditions:
// included in all copies or substantial portions of the Software. *
// * The above copyright notice and this permission notice shall be included in
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * all copies or substantial portions of the Software.
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF *
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@ximian.com>
*/
#endregion
using System; using System;
using System.Net;
using System.Threading; using System.Threading;
namespace WebSocketSharp.Net { namespace WebSocketSharp.Net
{
class ListenerAsyncResult : IAsyncResult internal class ListenerAsyncResult : IAsyncResult
{ {
#region Private Static Field
static WaitCallback InvokeCB = new WaitCallback (InvokeCallback);
#endregion
#region Private Fields #region Private Fields
AsyncCallback cb; private AsyncCallback _callback;
bool completed; private bool _completed;
HttpListenerContext context; private HttpListenerContext _context;
Exception exception; private Exception _exception;
ListenerAsyncResult forward; private ManualResetEvent _waitHandle;
ManualResetEvent handle; private object _state;
object locker; private object _sync;
object state; private bool _syncCompleted;
bool synch;
#endregion #endregion
@ -62,77 +64,56 @@ namespace WebSocketSharp.Net {
#endregion #endregion
#region Constructor #region Public Constructors
public ListenerAsyncResult (AsyncCallback cb, object state) public ListenerAsyncResult (AsyncCallback callback, object state)
{ {
this.cb = cb; _callback = callback;
this.state = state; _state = state;
this.locker = new object(); _sync = new object ();
} }
#endregion #endregion
#region Properties #region Public Properties
public object AsyncState { public object AsyncState {
get { get {
if (forward != null) return _state;
return forward.AsyncState;
return state;
} }
} }
public WaitHandle AsyncWaitHandle { public WaitHandle AsyncWaitHandle {
get { get {
if (forward != null) lock (_sync)
return forward.AsyncWaitHandle; return _waitHandle ?? (_waitHandle = new ManualResetEvent (_completed));
lock (locker) {
if (handle == null)
handle = new ManualResetEvent (completed);
}
return handle;
} }
} }
public bool CompletedSynchronously { public bool CompletedSynchronously {
get { get {
if (forward != null) return _syncCompleted;
return forward.CompletedSynchronously;
return synch;
} }
} }
public bool IsCompleted { public bool IsCompleted {
get { get {
if (forward != null) lock (_sync)
return forward.IsCompleted; return _completed;
lock (locker) {
return completed;
}
} }
} }
#endregion #endregion
#region Private Method #region Private Methods
static void InvokeCallback (object o) private static void invokeCallback (object state)
{ {
ListenerAsyncResult ares = (ListenerAsyncResult) o;
if (ares.forward != null) {
InvokeCallback (ares.forward);
return;
}
try { try {
ares.cb (ares); var ares = (ListenerAsyncResult) state;
} catch { ares._callback (ares);
}
catch {
} }
} }
@ -140,24 +121,19 @@ namespace WebSocketSharp.Net {
#region Internal Methods #region Internal Methods
internal void Complete (Exception exc) internal void Complete (Exception exception)
{ {
if (forward != null) { _exception = InGet && (exception is ObjectDisposedException)
forward.Complete (exc); ? new HttpListenerException (500, "Listener closed")
return; : exception;
}
exception = exc; lock (_sync) {
if (InGet && (exc is ObjectDisposedException)) _completed = true;
exception = new HttpListenerException (500, "Listener closed"); if (_waitHandle != null)
_waitHandle.Set ();
lock (locker) { if (_callback != null)
completed = true; ThreadPool.UnsafeQueueUserWorkItem (invokeCallback, this);
if (handle != null)
handle.Set ();
if (cb != null)
ThreadPool.UnsafeQueueUserWorkItem (InvokeCB, this);
} }
} }
@ -166,55 +142,57 @@ namespace WebSocketSharp.Net {
Complete (context, false); Complete (context, false);
} }
internal void Complete (HttpListenerContext context, bool synch) internal void Complete (HttpListenerContext context, bool syncCompleted)
{ {
if (forward != null) { var listener = context.Listener;
forward.Complete (context, synch); var scheme = listener.SelectAuthenticationScheme (context);
if (scheme == AuthenticationSchemes.None) {
context.Response.Close (HttpStatusCode.Forbidden);
listener.BeginGetContext (this);
return; return;
} }
this.synch = synch; var header = context.Request.Headers ["Authorization"];
this.context = context; if (scheme == AuthenticationSchemes.Basic &&
lock (locker) { (header == null ||
AuthenticationSchemes schemes = context.Listener.SelectAuthenticationScheme (context); !header.StartsWith ("basic", StringComparison.OrdinalIgnoreCase))) {
if ((schemes == AuthenticationSchemes.Basic || context.Listener.AuthenticationSchemes == AuthenticationSchemes.Negotiate) && context.Request.Headers ["Authorization"] == null) { context.Response.CloseWithAuthChallenge (
context.Response.StatusCode = 401; HttpUtility.CreateBasicAuthChallenge (listener.Realm));
context.Response.Headers ["WWW-Authenticate"] = schemes + " realm=\"" + context.Listener.Realm + "\""; listener.BeginGetContext (this);
context.Response.OutputStream.Close ();
IAsyncResult ares = context.Listener.BeginGetContext (cb, state); return;
this.forward = (ListenerAsyncResult) ares;
lock (forward.locker) {
if (handle != null)
forward.handle = handle;
} }
ListenerAsyncResult next = forward; if (scheme == AuthenticationSchemes.Digest &&
for (int i = 0; next.forward != null; i++) { (header == null ||
if (i > 20) !header.StartsWith ("digest", StringComparison.OrdinalIgnoreCase))) {
Complete (new HttpListenerException (400, "Too many authentication errors")); context.Response.CloseWithAuthChallenge (
HttpUtility.CreateDigestAuthChallenge (listener.Realm));
listener.BeginGetContext (this);
next = next.forward; return;
} }
} else {
completed = true;
if (handle != null)
handle.Set ();
if (cb != null) _context = context;
ThreadPool.UnsafeQueueUserWorkItem (InvokeCB, this); _syncCompleted = syncCompleted;
}
lock (_sync) {
_completed = true;
if (_waitHandle != null)
_waitHandle.Set ();
if (_callback != null)
ThreadPool.UnsafeQueueUserWorkItem (invokeCallback, this);
} }
} }
internal HttpListenerContext GetContext () internal HttpListenerContext GetContext ()
{ {
if (forward != null) if (_exception != null)
return forward.GetContext (); throw _exception;
if (exception != null) return _context;
throw exception;
return context;
} }
#endregion #endregion

View File

@ -0,0 +1,179 @@
#region License
/*
* NetworkCredential.cs
*
* The MIT License
*
* Copyright (c) 2014 sta.blockhead
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#endregion
using System;
namespace WebSocketSharp.Net
{
/// <summary>
/// Provides the credentials for HTTP authentication (Basic/Digest).
/// </summary>
public class NetworkCredential
{
#region Private Fields
private string _domain;
private string _password;
private string [] _roles;
private string _username;
#endregion
#region Public Constructors
/// <summary>
/// Initializes a new instance of the <see cref="NetworkCredential"/> class
/// with the specified user name and password.
/// </summary>
/// <param name="username">
/// A <see cref="string"/> that represents the user name associated with the
/// credentials.
/// </param>
/// <param name="password">
/// A <see cref="string"/> that represents the password for the user name
/// associated with the credentials.
/// </param>
/// <exception cref="ArgumentException">
/// <paramref name="username"/> is <see langword="null"/> or empty.
/// </exception>
public NetworkCredential (string username, string password)
: this (username, password, null, new string [0])
{
}
/// <summary>
/// Initializes a new instance of the <see cref="NetworkCredential"/> class
/// with the specified user name, password, domain, and roles.
/// </summary>
/// <param name="username">
/// A <see cref="string"/> that represents the user name associated with the
/// credentials.
/// </param>
/// <param name="password">
/// A <see cref="string"/> that represents the password for the user name
/// associated with the credentials.
/// </param>
/// <param name="domain">
/// A <see cref="string"/> that represents the name of the user domain
/// associated with the credentials.
/// </param>
/// <param name="roles">
/// An array of <see cref="string"/> that contains the role names to which
/// the user associated with the credentials belongs if any.
/// </param>
/// <exception cref="ArgumentException">
/// <paramref name="username"/> is <see langword="null"/> or empty.
/// </exception>
public NetworkCredential (
string username, string password, string domain, params string [] roles)
{
if (username == null || username.Length == 0)
throw new ArgumentException ("Must not be null or empty.", "username");
_username = username;
_password = password;
_domain = domain;
_roles = roles;
}
#endregion
#region Public Properties
/// <summary>
/// Gets the name of the user domain associated with the credentials.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the name of the user domain
/// associated with the credentials.
/// </value>
public string Domain {
get {
return _domain ?? String.Empty;
}
internal set {
_domain = value;
}
}
/// <summary>
/// Gets the password for the user name associated with the credentials.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the password for the user name
/// associated with the credentials.
/// </value>
public string Password {
get {
return _password ?? String.Empty;
}
internal set {
_password = value;
}
}
/// <summary>
/// Gets the role names to which the user associated with the credentials
/// belongs.
/// </summary>
/// <value>
/// An array of <see cref="string"/> that contains the role names to which
/// the user associated with the credentials belongs.
/// </value>
public string [] Roles {
get {
return _roles;
}
internal set {
_roles = value;
}
}
/// <summary>
/// Gets the user name associated with the credentials.
/// </summary>
/// <value>
/// A <see cref="string"/> that represents the user name associated with the
/// credentials.
/// </value>
public string UserName {
get {
return _username;
}
internal set {
_username = value;
}
}
#endregion
}
}

View File

@ -1,139 +1,163 @@
// #region License
// RequestStream.cs /*
// Copied from System.Net.RequestStream.cs * RequestStream.cs
// *
// Author: * This code is derived from System.Net.RequestStream.cs of Mono
// Gonzalo Paniagua Javier (gonzalo@novell.com) * (http://www.mono-project.com).
// *
// Copyright (c) 2005 Novell, Inc. (http://www.novell.com) * The MIT License
// *
// Permission is hereby granted, free of charge, to any person obtaining * Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
// a copy of this software and associated documentation files (the * Copyright (c) 2012-2013 sta.blockhead
// "Software"), to deal in the Software without restriction, including *
// without limitation the rights to use, copy, modify, merge, publish, * Permission is hereby granted, free of charge, to any person obtaining a copy
// distribute, sublicense, and/or sell copies of the Software, and to * of this software and associated documentation files (the "Software"), to deal
// permit persons to whom the Software is furnished to do so, subject to * in the Software without restriction, including without limitation the rights
// the following conditions: * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// * copies of the Software, and to permit persons to whom the Software is
// The above copyright notice and this permission notice shall be * furnished to do so, subject to the following conditions:
// included in all copies or substantial portions of the Software. *
// * The above copyright notice and this permission notice shall be included in
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * all copies or substantial portions of the Software.
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF *
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@novell.com>
*/
#endregion
using System; using System;
using System.IO; using System.IO;
using System.Runtime.InteropServices;
namespace WebSocketSharp.Net { namespace WebSocketSharp.Net
{
internal class RequestStream : Stream
{
#region Private Fields
class RequestStream : Stream { private byte [] _buffer;
private bool _disposed;
#region Fields private int _length;
private int _offset;
byte [] buffer; private long _remainingBody;
bool disposed; private Stream _stream;
int length;
int offset;
long remaining_body;
Stream stream;
#endregion #endregion
#region Constructors #region Internal Constructors
internal RequestStream (Stream stream, byte [] buffer, int offset, int length) internal RequestStream (
Stream stream, byte [] buffer, int offset, int length)
: this (stream, buffer, offset, length, -1) : this (stream, buffer, offset, length, -1)
{ {
} }
internal RequestStream (Stream stream, byte [] buffer, int offset, int length, long contentlength) internal RequestStream (
Stream stream, byte [] buffer, int offset, int length, long contentlength)
{ {
this.stream = stream; _stream = stream;
this.buffer = buffer; _buffer = buffer;
this.offset = offset; _offset = offset;
this.length = length; _length = length;
this.remaining_body = contentlength; _remainingBody = contentlength;
} }
#endregion #endregion
#region Properties #region Public Properties
public override bool CanRead { public override bool CanRead {
get { return true; } get {
return true;
}
} }
public override bool CanSeek { public override bool CanSeek {
get { return false; } get {
return false;
}
} }
public override bool CanWrite { public override bool CanWrite {
get { return false; } get {
return false;
}
} }
public override long Length { public override long Length {
get { throw new NotSupportedException (); } get {
throw new NotSupportedException ();
}
} }
public override long Position { public override long Position {
get { throw new NotSupportedException (); } get {
set { throw new NotSupportedException (); } throw new NotSupportedException ();
}
set {
throw new NotSupportedException ();
}
} }
#endregion #endregion
#region Private Method #region Private Methods
// Returns 0 if we can keep reading from the base stream, // Returns 0 if we can keep reading from the base stream,
// > 0 if we read something from the buffer. // > 0 if we read something from the buffer.
// -1 if we had a content length set and we finished reading that many bytes. // -1 if we had a content length set and we finished reading that many bytes.
int FillFromBuffer (byte [] buffer, int offset, int count) private int fillFromBuffer (byte [] buffer, int offset, int count)
{ {
if (buffer == null) if (buffer == null)
throw new ArgumentNullException ("buffer"); throw new ArgumentNullException ("buffer");
if (offset < 0) if (offset < 0)
throw new ArgumentOutOfRangeException ("offset", "< 0"); throw new ArgumentOutOfRangeException ("offset", "Less than zero.");
if (count < 0) if (count < 0)
throw new ArgumentOutOfRangeException ("count", "< 0"); throw new ArgumentOutOfRangeException ("count", "Less than zero.");
int len = buffer.Length; var len = buffer.Length;
if (offset > len) if (offset > len)
throw new ArgumentException ("Destination offset is beyond array size."); throw new ArgumentException ("'offset' is greater than 'buffer' size.");
if (offset > len - count) if (offset > len - count)
throw new ArgumentException ("Reading would overrun buffer."); throw new ArgumentException ("Reading would overrun 'buffer'.");
if (this.remaining_body == 0) if (_remainingBody == 0)
return -1; return -1;
if (this.length == 0) if (_length == 0)
return 0; return 0;
int size = Math.Min (this.length, count); var size = _length < count ? _length : count;
if (this.remaining_body > 0) if (_remainingBody > 0 && _remainingBody < size)
size = (int) Math.Min (size, this.remaining_body); size = (int) _remainingBody;
if (this.offset > this.buffer.Length - size) { var remainingBuffer = _buffer.Length - _offset;
size = Math.Min (size, this.buffer.Length - this.offset); if (remainingBuffer < size)
} size = remainingBuffer;
if (size == 0) if (size == 0)
return 0; return 0;
Buffer.BlockCopy (this.buffer, this.offset, buffer, offset, size); Buffer.BlockCopy (_buffer, _offset, buffer, offset, size);
this.offset += size; _offset += size;
this.length -= size; _length -= size;
if (this.remaining_body > 0) if (_remainingBody > 0)
remaining_body -= size; _remainingBody -= size;
return size; return size;
} }
@ -143,68 +167,72 @@ namespace WebSocketSharp.Net {
#region Public Methods #region Public Methods
public override IAsyncResult BeginRead ( public override IAsyncResult BeginRead (
byte [] buffer, int offset, int count, AsyncCallback cback, object state) byte [] buffer,
int offset,
int count,
AsyncCallback callback,
object state)
{ {
if (disposed) if (_disposed)
throw new ObjectDisposedException (GetType ().ToString ()); throw new ObjectDisposedException (GetType ().ToString ());
int nread = FillFromBuffer (buffer, offset, count); var read = fillFromBuffer (buffer, offset, count);
if (nread > 0 || nread == -1) { if (read > 0 || read == -1) {
var ares = new HttpStreamAsyncResult (); var ares = new HttpStreamAsyncResult ();
ares.Buffer = buffer; ares.Buffer = buffer;
ares.Offset = offset; ares.Offset = offset;
ares.Count = count; ares.Count = count;
ares.Callback = cback; ares.Callback = callback;
ares.State = state; ares.State = state;
ares.SyncRead = nread; ares.SyncRead = read;
ares.Complete (); ares.Complete ();
return ares; return ares;
} }
// Avoid reading past the end of the request to allow // Avoid reading past the end of the request to allow for HTTP pipelining.
// for HTTP pipelining if (_remainingBody >= 0 && _remainingBody < count)
if (remaining_body >= 0 && count > remaining_body) count = (int) _remainingBody;
count = (int) Math.Min (Int32.MaxValue, remaining_body);
return stream.BeginRead (buffer, offset, count, cback, state); return _stream.BeginRead (buffer, offset, count, callback, state);
} }
public override IAsyncResult BeginWrite ( public override IAsyncResult BeginWrite (
byte [] buffer, int offset, int count, AsyncCallback cback, object state) byte [] buffer, int offset, int count, AsyncCallback callback, object state)
{ {
throw new NotSupportedException (); throw new NotSupportedException ();
} }
public override void Close () public override void Close ()
{ {
disposed = true; _disposed = true;
} }
public override int EndRead (IAsyncResult ares) public override int EndRead (IAsyncResult asyncResult)
{ {
if (disposed) if (_disposed)
throw new ObjectDisposedException (GetType ().ToString ()); throw new ObjectDisposedException (GetType ().ToString ());
if (ares == null) if (asyncResult == null)
throw new ArgumentNullException ("ares"); throw new ArgumentNullException ("asyncResult");
if (ares is HttpStreamAsyncResult) { if (asyncResult is HttpStreamAsyncResult) {
var ares_ = (HttpStreamAsyncResult) ares; var ares = (HttpStreamAsyncResult) asyncResult;
if (!ares.IsCompleted) if (!ares.IsCompleted)
ares.AsyncWaitHandle.WaitOne (); ares.AsyncWaitHandle.WaitOne ();
return ares_.SyncRead; return ares.SyncRead;
} }
// Close on exception? // Close on exception?
int nread = stream.EndRead (ares); var read = _stream.EndRead (asyncResult);
if (remaining_body > 0 && nread > 0) if (read > 0 && _remainingBody > 0)
remaining_body -= nread; _remainingBody -= read;
return nread; return read;
} }
public override void EndWrite (IAsyncResult async_result) public override void EndWrite (IAsyncResult asyncResult)
{ {
throw new NotSupportedException (); throw new NotSupportedException ();
} }
@ -213,24 +241,24 @@ namespace WebSocketSharp.Net {
{ {
} }
public override int Read ([In,Out] byte[] buffer, int offset, int count) public override int Read (byte [] buffer, int offset, int count)
{ {
if (disposed) if (_disposed)
throw new ObjectDisposedException (GetType () .ToString ()); throw new ObjectDisposedException (GetType ().ToString ());
// Call FillFromBuffer to check for buffer boundaries even when remaining_body is 0 // Call fillFromBuffer to check for buffer boundaries even when
int nread = FillFromBuffer (buffer, offset, count); // _remainingBody is 0.
if (nread == -1) { // No more bytes available (Content-Length) var read = fillFromBuffer (buffer, offset, count);
if (read == -1) // No more bytes available (Content-Length).
return 0; return 0;
} else if (nread > 0) { else if (read > 0)
return nread; return read;
}
nread = stream.Read (buffer, offset, count); read = _stream.Read (buffer, offset, count);
if (nread > 0 && remaining_body > 0) if (read > 0 && _remainingBody > 0)
remaining_body -= nread; _remainingBody -= read;
return nread; return read;
} }
public override long Seek (long offset, SeekOrigin origin) public override long Seek (long offset, SeekOrigin origin)
@ -243,7 +271,7 @@ namespace WebSocketSharp.Net {
throw new NotSupportedException (); throw new NotSupportedException ();
} }
public override void Write (byte[] buffer, int offset, int count) public override void Write (byte [] buffer, int offset, int count)
{ {
throw new NotSupportedException (); throw new NotSupportedException ();
} }

View File

@ -1,131 +1,154 @@
// #region License
// ResponseStream.cs /*
// Copied from System.Net.ResponseStream.cs * ResponseStream.cs
// *
// Author: * This code is derived from System.Net.ResponseStream.cs of Mono
// Gonzalo Paniagua Javier (gonzalo@novell.com) * (http://www.mono-project.com).
// *
// Copyright (c) 2005 Novell, Inc. (http://www.novell.com) * The MIT License
// *
// Permission is hereby granted, free of charge, to any person obtaining * Copyright (c) 2005 Novell, Inc. (http://www.novell.com)
// a copy of this software and associated documentation files (the * Copyright (c) 2012-2014 sta.blockhead
// "Software"), to deal in the Software without restriction, including *
// without limitation the rights to use, copy, modify, merge, publish, * Permission is hereby granted, free of charge, to any person obtaining a copy
// distribute, sublicense, and/or sell copies of the Software, and to * of this software and associated documentation files (the "Software"), to deal
// permit persons to whom the Software is furnished to do so, subject to * in the Software without restriction, including without limitation the rights
// the following conditions: * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// * copies of the Software, and to permit persons to whom the Software is
// The above copyright notice and this permission notice shall be * furnished to do so, subject to the following conditions:
// included in all copies or substantial portions of the Software. *
// * The above copyright notice and this permission notice shall be included in
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * all copies or substantial portions of the Software.
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF *
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#endregion
#region Authors
/*
* Authors:
* Gonzalo Paniagua Javier <gonzalo@novell.com>
*/
#endregion
using System; using System;
using System.IO; using System.IO;
using System.Net;
using System.Net.Sockets;
using System.Text; using System.Text;
using System.Runtime.InteropServices;
namespace WebSocketSharp.Net {
namespace WebSocketSharp.Net
{
// FIXME: Does this buffer the response until Close? // FIXME: Does this buffer the response until Close?
// Update: we send a single packet for the first non-chunked Write // Update: we send a single packet for the first non-chunked Write
// What happens when we set content-length to X and write X-1 bytes then close? // What happens when we set content-length to X and write X-1 bytes then close?
// what if we don't set content-length at all? // what if we don't set content-length at all?
class ResponseStream : Stream { internal class ResponseStream : Stream
{
#region Private Static Fields
#region Private Static Field private static byte [] _crlf = new byte [] { 13, 10 };
static byte [] crlf = new byte [] { 13, 10 };
#endregion #endregion
#region Private Fields #region Private Fields
bool disposed; private bool _disposed;
bool ignore_errors; private bool _ignoreErrors;
HttpListenerResponse response; private HttpListenerResponse _response;
Stream stream; private Stream _stream;
bool trailer_sent; private bool _trailerSent;
#endregion #endregion
#region Constructor #region Internal Constructors
internal ResponseStream (System.IO.Stream stream, HttpListenerResponse response, bool ignore_errors) internal ResponseStream (
Stream stream, HttpListenerResponse response, bool ignoreErrors)
{ {
this.stream = stream; _stream = stream;
this.response = response; _response = response;
this.ignore_errors = ignore_errors; _ignoreErrors = ignoreErrors;
} }
#endregion #endregion
#region Properties #region Public Properties
public override bool CanRead { public override bool CanRead {
get { return false; } get {
return false;
}
} }
public override bool CanSeek { public override bool CanSeek {
get { return false; } get {
return false;
}
} }
public override bool CanWrite { public override bool CanWrite {
get { return true; } get {
return true;
}
} }
public override long Length { public override long Length {
get { throw new NotSupportedException (); } get {
throw new NotSupportedException ();
}
} }
public override long Position { public override long Position {
get { throw new NotSupportedException (); } get {
set { throw new NotSupportedException (); } throw new NotSupportedException ();
}
set {
throw new NotSupportedException ();
}
} }
#endregion #endregion
#region Private Methods #region Private Methods
static byte [] GetChunkSizeBytes (int size, bool final) private static byte [] getChunkSizeBytes (int size, bool final)
{ {
string str = String.Format ("{0:x}\r\n{1}", size, final ? "\r\n" : ""); return Encoding.ASCII.GetBytes (
return Encoding.ASCII.GetBytes (str); String.Format ("{0:x}\r\n{1}", size, final ? "\r\n" : ""));
} }
MemoryStream GetHeaders (bool closing) private MemoryStream getHeaders (bool closing)
{ {
if (response.HeadersSent) if (_response.HeadersSent)
return null; return null;
MemoryStream ms = new MemoryStream (); var stream = new MemoryStream ();
response.SendHeaders (closing, ms); _response.SendHeaders (closing, stream);
return ms; return stream;
} }
#endregion #endregion
#region Internal Method #region Internal Methods
internal void InternalWrite (byte [] buffer, int offset, int count) internal void InternalWrite (byte [] buffer, int offset, int count)
{ {
if (ignore_errors) { if (_ignoreErrors) {
try { try {
stream.Write (buffer, offset, count); _stream.Write (buffer, offset, count);
} catch {
} }
} else { catch {
stream.Write (buffer, offset, count); }
}
else {
_stream.Write (buffer, offset, count);
} }
} }
@ -137,7 +160,7 @@ namespace WebSocketSharp.Net {
byte [] buffer, byte [] buffer,
int offset, int offset,
int count, int count,
AsyncCallback cback, AsyncCallback callback,
object state) object state)
{ {
throw new NotSupportedException (); throw new NotSupportedException ();
@ -147,81 +170,92 @@ namespace WebSocketSharp.Net {
byte [] buffer, byte [] buffer,
int offset, int offset,
int count, int count,
AsyncCallback cback, AsyncCallback callback,
object state) object state)
{ {
if (disposed) if (_disposed)
throw new ObjectDisposedException (GetType ().ToString ()); throw new ObjectDisposedException (GetType ().ToString ());
var stream = getHeaders (false);
var chunked = _response.SendChunked;
byte [] bytes = null; byte [] bytes = null;
MemoryStream ms = GetHeaders (false); if (stream != null) {
bool chunked = response.SendChunked; var start = stream.Position;
if (ms != null) { stream.Position = stream.Length;
long start = ms.Position;
ms.Position = ms.Length;
if (chunked) { if (chunked) {
bytes = GetChunkSizeBytes (count, false); bytes = getChunkSizeBytes (count, false);
ms.Write (bytes, 0, bytes.Length); stream.Write (bytes, 0, bytes.Length);
} }
ms.Write (buffer, offset, count);
buffer = ms.GetBuffer (); stream.Write (buffer, offset, count);
buffer = stream.GetBuffer ();
offset = (int) start; offset = (int) start;
count = (int) (ms.Position - start); count = (int) (stream.Position - start);
} else if (chunked) { }
bytes = GetChunkSizeBytes (count, false); else if (chunked) {
bytes = getChunkSizeBytes (count, false);
InternalWrite (bytes, 0, bytes.Length); InternalWrite (bytes, 0, bytes.Length);
} }
return stream.BeginWrite (buffer, offset, count, cback, state); return _stream.BeginWrite (buffer, offset, count, callback, state);
} }
public override void Close () public override void Close ()
{ {
if (disposed == false) { if (_disposed)
disposed = true; return;
_disposed = true;
var stream = getHeaders (true);
var chunked = _response.SendChunked;
byte [] bytes = null; byte [] bytes = null;
MemoryStream ms = GetHeaders (true); if (stream != null) {
bool chunked = response.SendChunked; var start = stream.Position;
if (ms != null) { if (chunked && !_trailerSent) {
long start = ms.Position; bytes = getChunkSizeBytes (0, true);
if (chunked && !trailer_sent) { stream.Position = stream.Length;
bytes = GetChunkSizeBytes (0, true); stream.Write (bytes, 0, bytes.Length);
ms.Position = ms.Length;
ms.Write (bytes, 0, bytes.Length);
} }
InternalWrite (ms.GetBuffer (), (int) start, (int) (ms.Length - start));
trailer_sent = true; InternalWrite (
} else if (chunked && !trailer_sent) { stream.GetBuffer (), (int) start, (int) (stream.Length - start));
bytes = GetChunkSizeBytes (0, true); _trailerSent = true;
}
else if (chunked && !_trailerSent) {
bytes = getChunkSizeBytes (0, true);
InternalWrite (bytes, 0, bytes.Length); InternalWrite (bytes, 0, bytes.Length);
trailer_sent = true; _trailerSent = true;
} }
response.Close (); _response.Close ();
}
} }
public override int EndRead (IAsyncResult ares) public override int EndRead (IAsyncResult asyncResult)
{ {
throw new NotSupportedException (); throw new NotSupportedException ();
} }
public override void EndWrite (IAsyncResult ares) public override void EndWrite (IAsyncResult asyncResult)
{ {
if (disposed) if (_disposed)
throw new ObjectDisposedException (GetType ().ToString ()); throw new ObjectDisposedException (GetType ().ToString ());
if (ignore_errors) { Action<IAsyncResult> endWrite = ares => {
_stream.EndWrite (ares);
if (_response.SendChunked)
_stream.Write (_crlf, 0, 2);
};
if (_ignoreErrors) {
try { try {
stream.EndWrite (ares); endWrite (asyncResult);
if (response.SendChunked)
stream.Write (crlf, 0, 2);
} catch {
} }
} else { catch {
stream.EndWrite (ares); }
if (response.SendChunked) }
stream.Write (crlf, 0, 2); else {
endWrite (asyncResult);
} }
} }
@ -229,7 +263,7 @@ namespace WebSocketSharp.Net {
{ {
} }
public override int Read ([In,Out] byte[] buffer, int offset, int count) public override int Read (byte [] buffer, int offset, int count)
{ {
throw new NotSupportedException (); throw new NotSupportedException ();
} }
@ -246,29 +280,33 @@ namespace WebSocketSharp.Net {
public override void Write (byte [] buffer, int offset, int count) public override void Write (byte [] buffer, int offset, int count)
{ {
if (disposed) if (_disposed)
throw new ObjectDisposedException (GetType ().ToString ()); throw new ObjectDisposedException (GetType ().ToString ());
var stream = getHeaders (false);
var chunked = _response.SendChunked;
byte [] bytes = null; byte [] bytes = null;
MemoryStream ms = GetHeaders (false); if (stream != null) {
bool chunked = response.SendChunked; // After the possible preamble for the encoding.
if (ms != null) { var start = stream.Position;
long start = ms.Position; // After the possible preamble for the encoding stream.Position = stream.Length;
ms.Position = ms.Length;
if (chunked) { if (chunked) {
bytes = GetChunkSizeBytes (count, false); bytes = getChunkSizeBytes (count, false);
ms.Write (bytes, 0, bytes.Length); stream.Write (bytes, 0, bytes.Length);
} }
int new_count = Math.Min (count, 16384 - (int) ms.Position + (int) start); var newCount = Math.Min (
ms.Write (buffer, offset, new_count); count, 16384 - (int) stream.Position + (int) start);
count -= new_count; stream.Write (buffer, offset, newCount);
offset += new_count; count -= newCount;
InternalWrite (ms.GetBuffer (), (int) start, (int) (ms.Length - start)); offset += newCount;
ms.SetLength (0); InternalWrite (
ms.Capacity = 0; // 'dispose' the buffer in ms. stream.GetBuffer (), (int) start, (int) (stream.Length - start));
} else if (chunked) { stream.SetLength (0);
bytes = GetChunkSizeBytes (count, false); stream.Capacity = 0; // 'dispose' the buffer in stream.
}
else if (chunked) {
bytes = getChunkSizeBytes (count, false);
InternalWrite (bytes, 0, bytes.Length); InternalWrite (bytes, 0, bytes.Length);
} }
@ -276,7 +314,7 @@ namespace WebSocketSharp.Net {
InternalWrite (buffer, offset, count); InternalWrite (buffer, offset, count);
if (chunked) if (chunked)
InternalWrite (crlf, 0, 2); InternalWrite (_crlf, 0, 2);
} }
#endregion #endregion

View File

@ -34,7 +34,8 @@ using System.Security.Principal;
namespace WebSocketSharp.Net.WebSockets namespace WebSocketSharp.Net.WebSockets
{ {
/// <summary> /// <summary>
/// Provides access to the WebSocket connection request objects received by the <see cref="HttpListener"/>. /// Provides access to the WebSocket connection request information received by
/// the <see cref="HttpListener"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// </remarks> /// </remarks>
@ -50,11 +51,12 @@ namespace WebSocketSharp.Net.WebSockets
#region Internal Constructors #region Internal Constructors
internal HttpListenerWebSocketContext (HttpListenerContext context) internal HttpListenerWebSocketContext (
HttpListenerContext context, Logger logger)
{ {
_context = context; _context = context;
_stream = WsStream.CreateServerStream (context); _stream = WsStream.CreateServerStream (context);
_websocket = new WebSocket (this); _websocket = new WebSocket (this, logger ?? new Logger ());
} }
#endregion #endregion
@ -72,10 +74,11 @@ namespace WebSocketSharp.Net.WebSockets
#region Public Properties #region Public Properties
/// <summary> /// <summary>
/// Gets the cookies used in the WebSocket opening handshake. /// Gets the cookies used in the WebSocket connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="WebSocketSharp.Net.CookieCollection"/> that contains the cookies. /// A <see cref="WebSocketSharp.Net.CookieCollection"/> that contains the
/// cookies.
/// </value> /// </value>
public override CookieCollection CookieCollection { public override CookieCollection CookieCollection {
get { get {
@ -84,10 +87,10 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the HTTP headers used in the WebSocket opening handshake. /// Gets the HTTP headers used in the WebSocket connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Collections.Specialized.NameValueCollection"/> that contains the HTTP headers. /// A <see cref="NameValueCollection"/> that contains the HTTP headers.
/// </value> /// </value>
public override NameValueCollection Headers { public override NameValueCollection Headers {
get { get {
@ -96,10 +99,11 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the value of the Host header field used in the WebSocket opening handshake. /// Gets the value of the Host header field used in the WebSocket connection
/// request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Host header field. /// A <see cref="string"/> that represents the value of the Host header field.
/// </value> /// </value>
public override string Host { public override string Host {
get { get {
@ -120,10 +124,12 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the client connected from the local computer. /// Gets a value indicating whether the client connected from the local
/// computer.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the client connected from the local computer; otherwise, <c>false</c>. /// <c>true</c> if the client connected from the local computer; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public override bool IsLocal { public override bool IsLocal {
get { get {
@ -135,7 +141,8 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets a value indicating whether the WebSocket connection is secured. /// Gets a value indicating whether the WebSocket connection is secured.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the WebSocket connection is secured; otherwise, <c>false</c>. /// <c>true</c> if the WebSocket connection is secured; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public override bool IsSecureConnection { public override bool IsSecureConnection {
get { get {
@ -144,10 +151,12 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the request is a WebSocket connection request. /// Gets a value indicating whether the request is a WebSocket connection
/// request.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the request is a WebSocket connection request; otherwise, <c>false</c>. /// <c>true</c> if the request is a WebSocket connection request; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public override bool IsWebSocketRequest { public override bool IsWebSocketRequest {
get { get {
@ -156,10 +165,12 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the value of the Origin header field used in the WebSocket opening handshake. /// Gets the value of the Origin header field used in the WebSocket
/// connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Origin header field. /// A <see cref="string"/> that represents the value of the Origin header
/// field.
/// </value> /// </value>
public override string Origin { public override string Origin {
get { get {
@ -171,19 +182,22 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the absolute path of the requested WebSocket URI. /// Gets the absolute path of the requested WebSocket URI.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the absolute path of the requested WebSocket URI. /// A <see cref="string"/> that represents the absolute path of the requested
/// WebSocket URI.
/// </value> /// </value>
public override string Path { public override string Path {
get { get {
return RequestUri.GetAbsolutePath (); return _context.Request.Url.GetAbsolutePath ();
} }
} }
/// <summary> /// <summary>
/// Gets the collection of query string variables used in the WebSocket opening handshake. /// Gets the collection of query string variables used in the WebSocket
/// connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="NameValueCollection"/> that contains the collection of query string variables. /// A <see cref="NameValueCollection"/> that contains the collection of query
/// string variables.
/// </value> /// </value>
public override NameValueCollection QueryString { public override NameValueCollection QueryString {
get { get {
@ -195,22 +209,26 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the WebSocket URI requested by the client. /// Gets the WebSocket URI requested by the client.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Uri"/> that contains the WebSocket URI. /// A <see cref="Uri"/> that represents the WebSocket URI requested by the
/// client.
/// </value> /// </value>
public override Uri RequestUri { public override Uri RequestUri {
get { get {
return _context.Request.RawUrl.ToUri (); return _context.Request.Url;
} }
} }
/// <summary> /// <summary>
/// Gets the value of the Sec-WebSocket-Key header field used in the WebSocket opening handshake. /// Gets the value of the Sec-WebSocket-Key header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The SecWebSocketKey property provides a part of the information used by the server to prove that it received a valid WebSocket opening handshake. /// This property provides a part of the information used by the server to
/// prove that it received a valid WebSocket connection request.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Sec-WebSocket-Key header field. /// A <see cref="string"/> that represents the value of the Sec-WebSocket-Key
/// header field.
/// </value> /// </value>
public override string SecWebSocketKey { public override string SecWebSocketKey {
get { get {
@ -219,13 +237,15 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the values of the Sec-WebSocket-Protocol header field used in the WebSocket opening handshake. /// Gets the values of the Sec-WebSocket-Protocol header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The SecWebSocketProtocols property indicates the subprotocols of the WebSocket connection. /// This property represents the subprotocols of the WebSocket connection.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// An IEnumerable&lt;string&gt; that contains the values of the Sec-WebSocket-Protocol header field. /// An IEnumerable&lt;string&gt; that contains the values of the
/// Sec-WebSocket-Protocol header field.
/// </value> /// </value>
public override IEnumerable<string> SecWebSocketProtocols { public override IEnumerable<string> SecWebSocketProtocols {
get { get {
@ -234,13 +254,15 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the value of the Sec-WebSocket-Version header field used in the WebSocket opening handshake. /// Gets the value of the Sec-WebSocket-Version header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The SecWebSocketVersion property indicates the WebSocket protocol version of the connection. /// This property represents the WebSocket protocol version of the connection.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Sec-WebSocket-Version header field. /// A <see cref="string"/> that represents the value of the
/// Sec-WebSocket-Version header field.
/// </value> /// </value>
public override string SecWebSocketVersion { public override string SecWebSocketVersion {
get { get {
@ -252,7 +274,7 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the server endpoint as an IP address and a port number. /// Gets the server endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Net.IPEndPoint"/> that contains the server endpoint. /// A <see cref="System.Net.IPEndPoint"/> that represents the server endpoint.
/// </value> /// </value>
public override System.Net.IPEndPoint ServerEndPoint { public override System.Net.IPEndPoint ServerEndPoint {
get { get {
@ -261,10 +283,11 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the client information (identity, authentication information and security roles). /// Gets the client information (identity, authentication information and
/// security roles).
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="IPrincipal"/> that contains the client information. /// A <see cref="IPrincipal"/> that represents the client information.
/// </value> /// </value>
public override IPrincipal User { public override IPrincipal User {
get { get {
@ -276,7 +299,7 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the client endpoint as an IP address and a port number. /// Gets the client endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Net.IPEndPoint"/> that contains the client endpoint. /// A <see cref="System.Net.IPEndPoint"/> that represents the client endpoint.
/// </value> /// </value>
public override System.Net.IPEndPoint UserEndPoint { public override System.Net.IPEndPoint UserEndPoint {
get { get {
@ -285,7 +308,8 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the WebSocket instance used for two-way communication between client and server. /// Gets the WebSocket instance used for two-way communication between client
/// and server.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="WebSocketSharp.WebSocket"/>. /// A <see cref="WebSocketSharp.WebSocket"/>.
@ -305,15 +329,22 @@ namespace WebSocketSharp.Net.WebSockets
_context.Connection.Close (true); _context.Connection.Close (true);
} }
internal void Close (HttpStatusCode code)
{
_context.Response.Close (code);
}
#endregion #endregion
#region Public Methods #region Public Methods
/// <summary> /// <summary>
/// Returns a <see cref="string"/> that represents the current <see cref="HttpListenerWebSocketContext"/>. /// Returns a <see cref="string"/> that represents the current
/// <see cref="HttpListenerWebSocketContext"/>.
/// </summary> /// </summary>
/// <returns> /// <returns>
/// A <see cref="string"/> that represents the current <see cref="HttpListenerWebSocketContext"/>. /// A <see cref="string"/> that represents the current
/// <see cref="HttpListenerWebSocketContext"/>.
/// </returns> /// </returns>
public override string ToString () public override string ToString ()
{ {

View File

@ -36,7 +36,8 @@ using System.Security.Principal;
namespace WebSocketSharp.Net.WebSockets namespace WebSocketSharp.Net.WebSockets
{ {
/// <summary> /// <summary>
/// Provides access to the WebSocket connection request objects received by the <see cref="TcpListener"/>. /// Provides access to the WebSocket connection request information received by
/// the <see cref="TcpListener"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// </remarks> /// </remarks>
@ -49,19 +50,22 @@ namespace WebSocketSharp.Net.WebSockets
private HandshakeRequest _request; private HandshakeRequest _request;
private bool _secure; private bool _secure;
private WsStream _stream; private WsStream _stream;
private Uri _uri;
private IPrincipal _user;
private WebSocket _websocket; private WebSocket _websocket;
#endregion #endregion
#region Internal Constructors #region Internal Constructors
internal TcpListenerWebSocketContext (TcpClient client, bool secure, X509Certificate cert) internal TcpListenerWebSocketContext (
TcpClient client, X509Certificate cert, bool secure, Logger logger)
{ {
_client = client; _client = client;
_secure = secure; _secure = secure;
_stream = WsStream.CreateServerStream (client, secure, cert); _stream = WsStream.CreateServerStream (client, cert, secure);
_request = HandshakeRequest.Parse (_stream.ReadHandshake ()); _request = HandshakeRequest.Parse (_stream.ReadHandshake ());
_websocket = new WebSocket (this); _websocket = new WebSocket (this, logger);
} }
#endregion #endregion
@ -79,25 +83,23 @@ namespace WebSocketSharp.Net.WebSockets
#region Public Properties #region Public Properties
/// <summary> /// <summary>
/// Gets the cookies used in the WebSocket opening handshake. /// Gets the cookies used in the WebSocket connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="CookieCollection"/> that contains the cookies. /// A <see cref="WebSocketSharp.Net.CookieCollection"/> that contains the
/// cookies.
/// </value> /// </value>
public override CookieCollection CookieCollection { public override CookieCollection CookieCollection {
get { get {
if (_cookies == null) return _cookies ?? (_cookies = _request.Cookies);
_cookies = _request.Cookies;
return _cookies;
} }
} }
/// <summary> /// <summary>
/// Gets the HTTP headers used in the WebSocket opening handshake. /// Gets the HTTP headers used in the WebSocket connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Collections.Specialized.NameValueCollection"/> that contains the HTTP headers. /// A <see cref="NameValueCollection"/> that contains the HTTP headers.
/// </value> /// </value>
public override NameValueCollection Headers { public override NameValueCollection Headers {
get { get {
@ -106,10 +108,11 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the value of the Host header field used in the WebSocket opening handshake. /// Gets the value of the Host header field used in the WebSocket connection
/// request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Host header field. /// A <see cref="string"/> that represents the value of the Host header field.
/// </value> /// </value>
public override string Host { public override string Host {
get { get {
@ -123,20 +126,19 @@ namespace WebSocketSharp.Net.WebSockets
/// <value> /// <value>
/// <c>true</c> if the client is authenticated; otherwise, <c>false</c>. /// <c>true</c> if the client is authenticated; otherwise, <c>false</c>.
/// </value> /// </value>
/// <exception cref="NotImplementedException">
/// This property is not implemented.
/// </exception>
public override bool IsAuthenticated { public override bool IsAuthenticated {
get { get {
throw new NotImplementedException (); return _user != null && _user.Identity.IsAuthenticated;
} }
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the client connected from the local computer. /// Gets a value indicating whether the client connected from the local
/// computer.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the client connected from the local computer; otherwise, <c>false</c>. /// <c>true</c> if the client connected from the local computer; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public override bool IsLocal { public override bool IsLocal {
get { get {
@ -148,7 +150,8 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets a value indicating whether the WebSocket connection is secured. /// Gets a value indicating whether the WebSocket connection is secured.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the WebSocket connection is secured; otherwise, <c>false</c>. /// <c>true</c> if the WebSocket connection is secured; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public override bool IsSecureConnection { public override bool IsSecureConnection {
get { get {
@ -157,10 +160,12 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets a value indicating whether the request is a WebSocket connection request. /// Gets a value indicating whether the request is a WebSocket connection
/// request.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the request is a WebSocket connection request; otherwise, <c>false</c>. /// <c>true</c> if the request is a WebSocket connection request; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public override bool IsWebSocketRequest { public override bool IsWebSocketRequest {
get { get {
@ -169,10 +174,12 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the value of the Origin header field used in the WebSocket opening handshake. /// Gets the value of the Origin header field used in the WebSocket
/// connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Origin header field. /// A <see cref="string"/> that represents the value of the Origin header
/// field.
/// </value> /// </value>
public override string Origin { public override string Origin {
get { get {
@ -184,7 +191,8 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the absolute path of the requested WebSocket URI. /// Gets the absolute path of the requested WebSocket URI.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the absolute path of the requested WebSocket URI. /// A <see cref="string"/> that represents the absolute path of the requested
/// WebSocket URI.
/// </value> /// </value>
public override string Path { public override string Path {
get { get {
@ -193,10 +201,12 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the collection of query string variables used in the WebSocket opening handshake. /// Gets the collection of query string variables used in the WebSocket
/// connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="NameValueCollection"/> that contains the collection of query string variables. /// A <see cref="NameValueCollection"/> that contains the collection of query
/// string variables.
/// </value> /// </value>
public override NameValueCollection QueryString { public override NameValueCollection QueryString {
get { get {
@ -208,22 +218,26 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the WebSocket URI requested by the client. /// Gets the WebSocket URI requested by the client.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Uri"/> that contains the WebSocket URI. /// A <see cref="Uri"/> that represents the WebSocket URI requested by the
/// client.
/// </value> /// </value>
public override Uri RequestUri { public override Uri RequestUri {
get { get {
return _request.RequestUri; return _uri ?? (_uri = createRequestUri ());
} }
} }
/// <summary> /// <summary>
/// Gets the value of the Sec-WebSocket-Key header field used in the WebSocket opening handshake. /// Gets the value of the Sec-WebSocket-Key header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The SecWebSocketKey property provides a part of the information used by the server to prove that it received a valid WebSocket opening handshake. /// This property provides a part of the information used by the server to
/// prove that it received a valid WebSocket connection request.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Sec-WebSocket-Key header field. /// A <see cref="string"/> that represents the value of the Sec-WebSocket-Key
/// header field.
/// </value> /// </value>
public override string SecWebSocketKey { public override string SecWebSocketKey {
get { get {
@ -232,13 +246,15 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the values of the Sec-WebSocket-Protocol header field used in the WebSocket opening handshake. /// Gets the values of the Sec-WebSocket-Protocol header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This property indicates the subprotocols of the WebSocket connection. /// This property represents the subprotocols of the WebSocket connection.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// An IEnumerable&lt;string&gt; that contains the values of the Sec-WebSocket-Protocol header field. /// An IEnumerable&lt;string&gt; that contains the values of the
/// Sec-WebSocket-Protocol header field.
/// </value> /// </value>
public override IEnumerable<string> SecWebSocketProtocols { public override IEnumerable<string> SecWebSocketProtocols {
get { get {
@ -247,13 +263,15 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the value of the Sec-WebSocket-Version header field used in the WebSocket opening handshake. /// Gets the value of the Sec-WebSocket-Version header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The SecWebSocketVersion property indicates the WebSocket protocol version of the connection. /// This property represents the WebSocket protocol version of the connection.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Sec-WebSocket-Version header field. /// A <see cref="string"/> that represents the value of the
/// Sec-WebSocket-Version header field.
/// </value> /// </value>
public override string SecWebSocketVersion { public override string SecWebSocketVersion {
get { get {
@ -265,7 +283,7 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the server endpoint as an IP address and a port number. /// Gets the server endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Net.IPEndPoint"/> that contains the server endpoint. /// A <see cref="System.Net.IPEndPoint"/> that represents the server endpoint.
/// </value> /// </value>
public override System.Net.IPEndPoint ServerEndPoint { public override System.Net.IPEndPoint ServerEndPoint {
get { get {
@ -274,17 +292,15 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the client information (identity, authentication information and security roles). /// Gets the client information (identity, authentication information and
/// security roles).
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="IPrincipal"/> that contains the client information. /// A <see cref="IPrincipal"/> that represents the client information.
/// </value> /// </value>
/// <exception cref="NotImplementedException">
/// This property is not implemented.
/// </exception>
public override IPrincipal User { public override IPrincipal User {
get { get {
throw new NotImplementedException (); return _user;
} }
} }
@ -292,7 +308,7 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the client endpoint as an IP address and a port number. /// Gets the client endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Net.IPEndPoint"/> that contains the client endpoint. /// A <see cref="System.Net.IPEndPoint"/> that represents the client endpoint.
/// </value> /// </value>
public override System.Net.IPEndPoint UserEndPoint { public override System.Net.IPEndPoint UserEndPoint {
get { get {
@ -301,7 +317,8 @@ namespace WebSocketSharp.Net.WebSockets
} }
/// <summary> /// <summary>
/// Gets the WebSocket instance used for two-way communication between client and server. /// Gets the WebSocket instance used for two-way communication between client
/// and server.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="WebSocketSharp.WebSocket"/>. /// A <see cref="WebSocketSharp.WebSocket"/>.
@ -314,6 +331,22 @@ namespace WebSocketSharp.Net.WebSockets
#endregion #endregion
#region Private Methods
private Uri createRequestUri ()
{
var scheme = _secure ? "wss" : "ws";
var host = _request.Headers ["Host"];
var rawUri = _request.RequestUri;
var path = rawUri.IsAbsoluteUri
? rawUri.PathAndQuery
: HttpUtility.UrlDecode (_request.RawUrl);
return String.Format ("{0}://{1}{2}", scheme, host, path).ToUri ();
}
#endregion
#region Internal Methods #region Internal Methods
internal void Close () internal void Close ()
@ -322,15 +355,64 @@ namespace WebSocketSharp.Net.WebSockets
_client.Close (); _client.Close ();
} }
internal void Close (HttpStatusCode code)
{
_websocket.Close (HandshakeResponse.CreateCloseResponse (code));
}
internal void SendAuthChallenge (string challenge)
{
var res = new HandshakeResponse (HttpStatusCode.Unauthorized);
res.Headers ["WWW-Authenticate"] = challenge;
_stream.WriteHandshake (res);
_request = HandshakeRequest.Parse (_stream.ReadHandshake ());
}
internal void SetUser (
AuthenticationSchemes expectedScheme,
string realm,
Func<IIdentity, NetworkCredential> credentialsFinder)
{
var authRes = _request.AuthResponse;
if (authRes == null)
return;
var identity = authRes.ToIdentity ();
if (identity == null)
return;
NetworkCredential credentials = null;
try {
credentials = credentialsFinder (identity);
}
catch {
}
if (credentials == null)
return;
var valid = expectedScheme == AuthenticationSchemes.Basic
? ((HttpBasicIdentity) identity).Password == credentials.Password
: expectedScheme == AuthenticationSchemes.Digest
? ((HttpDigestIdentity) identity).IsValid (
credentials.Password, realm, _request.HttpMethod, null)
: false;
if (valid)
_user = new GenericPrincipal (identity, credentials.Roles);
}
#endregion #endregion
#region Public Methods #region Public Methods
/// <summary> /// <summary>
/// Returns a <see cref="string"/> that represents the current <see cref="TcpListenerWebSocketContext"/>. /// Returns a <see cref="string"/> that represents the current
/// <see cref="TcpListenerWebSocketContext"/>.
/// </summary> /// </summary>
/// <returns> /// <returns>
/// A <see cref="string"/> that represents the current <see cref="TcpListenerWebSocketContext"/>. /// A <see cref="string"/> that represents the current
/// <see cref="TcpListenerWebSocketContext"/>.
/// </returns> /// </returns>
public override string ToString () public override string ToString ()
{ {

View File

@ -34,7 +34,7 @@ using System.Security.Principal;
namespace WebSocketSharp.Net.WebSockets namespace WebSocketSharp.Net.WebSockets
{ {
/// <summary> /// <summary>
/// Provides access to the WebSocket connection request objects. /// Provides access to the WebSocket connection request information.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The WebSocketContext class is an abstract class. /// The WebSocketContext class is an abstract class.
@ -55,26 +55,28 @@ namespace WebSocketSharp.Net.WebSockets
#region Public Properties #region Public Properties
/// <summary> /// <summary>
/// Gets the cookies used in the WebSocket opening handshake. /// Gets the cookies used in the WebSocket connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="WebSocketSharp.Net.CookieCollection"/> that contains the cookies. /// A <see cref="WebSocketSharp.Net.CookieCollection"/> that contains the
/// cookies.
/// </value> /// </value>
public abstract CookieCollection CookieCollection { get; } public abstract CookieCollection CookieCollection { get; }
/// <summary> /// <summary>
/// Gets the HTTP headers used in the WebSocket opening handshake. /// Gets the HTTP headers used in the WebSocket connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Collections.Specialized.NameValueCollection"/> that contains the HTTP headers. /// A <see cref="NameValueCollection"/> that contains the HTTP headers.
/// </value> /// </value>
public abstract NameValueCollection Headers { get; } public abstract NameValueCollection Headers { get; }
/// <summary> /// <summary>
/// Gets the value of the Host header field used in the WebSocket opening handshake. /// Gets the value of the Host header field used in the WebSocket connection
/// request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Host header field. /// A <see cref="string"/> that represents the value of the Host header field.
/// </value> /// </value>
public abstract string Host { get; } public abstract string Host { get; }
@ -87,10 +89,12 @@ namespace WebSocketSharp.Net.WebSockets
public abstract bool IsAuthenticated { get; } public abstract bool IsAuthenticated { get; }
/// <summary> /// <summary>
/// Gets a value indicating whether the client connected from the local computer. /// Gets a value indicating whether the client connected from the local
/// computer.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the client connected from the local computer; otherwise, <c>false</c>. /// <c>true</c> if the client connected from the local computer; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public abstract bool IsLocal { get; } public abstract bool IsLocal { get; }
@ -98,23 +102,28 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets a value indicating whether the WebSocket connection is secured. /// Gets a value indicating whether the WebSocket connection is secured.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the WebSocket connection is secured; otherwise, <c>false</c>. /// <c>true</c> if the WebSocket connection is secured; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public abstract bool IsSecureConnection { get; } public abstract bool IsSecureConnection { get; }
/// <summary> /// <summary>
/// Gets a value indicating whether the request is a WebSocket connection request. /// Gets a value indicating whether the request is a WebSocket connection
/// request.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the request is a WebSocket connection request; otherwise, <c>false</c>. /// <c>true</c> if the request is a WebSocket connection request; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public abstract bool IsWebSocketRequest { get; } public abstract bool IsWebSocketRequest { get; }
/// <summary> /// <summary>
/// Gets the value of the Origin header field used in the WebSocket opening handshake. /// Gets the value of the Origin header field used in the WebSocket
/// connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Origin header field. /// A <see cref="string"/> that represents the value of the Origin header
/// field.
/// </value> /// </value>
public abstract string Origin { get; } public abstract string Origin { get; }
@ -122,15 +131,18 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the absolute path of the requested WebSocket URI. /// Gets the absolute path of the requested WebSocket URI.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the absolute path of the requested WebSocket URI. /// A <see cref="string"/> that represents the absolute path of the requested
/// WebSocket URI.
/// </value> /// </value>
public abstract string Path { get; } public abstract string Path { get; }
/// <summary> /// <summary>
/// Gets the collection of query string variables used in the WebSocket opening handshake. /// Gets the collection of query string variables used in the WebSocket
/// connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="NameValueCollection"/> that contains the collection of query string variables. /// A <see cref="NameValueCollection"/> that contains the collection of query
/// string variables.
/// </value> /// </value>
public abstract NameValueCollection QueryString { get; } public abstract NameValueCollection QueryString { get; }
@ -138,40 +150,47 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the WebSocket URI requested by the client. /// Gets the WebSocket URI requested by the client.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Uri"/> that contains the WebSocket URI. /// A <see cref="Uri"/> that represents the WebSocket URI.
/// </value> /// </value>
public abstract Uri RequestUri { get; } public abstract Uri RequestUri { get; }
/// <summary> /// <summary>
/// Gets the value of the Sec-WebSocket-Key header field used in the WebSocket opening handshake. /// Gets the value of the Sec-WebSocket-Key header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The SecWebSocketKey property provides a part of the information used by the server to prove that it received a valid WebSocket opening handshake. /// This property provides a part of the information used by the server to
/// prove that it received a valid WebSocket connection request.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Sec-WebSocket-Key header field. /// A <see cref="string"/> that represents the value of the Sec-WebSocket-Key
/// header field.
/// </value> /// </value>
public abstract string SecWebSocketKey { get; } public abstract string SecWebSocketKey { get; }
/// <summary> /// <summary>
/// Gets the values of the Sec-WebSocket-Protocol header field used in the WebSocket opening handshake. /// Gets the values of the Sec-WebSocket-Protocol header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The SecWebSocketProtocols property indicates the subprotocols of the WebSocket connection. /// This property represents the subprotocols of the WebSocket connection.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// An IEnumerable&lt;string&gt; that contains the values of the Sec-WebSocket-Protocol header field. /// An IEnumerable&lt;string&gt; that contains the values of the
/// Sec-WebSocket-Protocol header field.
/// </value> /// </value>
public abstract IEnumerable<string> SecWebSocketProtocols { get; } public abstract IEnumerable<string> SecWebSocketProtocols { get; }
/// <summary> /// <summary>
/// Gets the value of the Sec-WebSocket-Version header field used in the WebSocket opening handshake. /// Gets the value of the Sec-WebSocket-Version header field used in the
/// WebSocket connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The SecWebSocketVersion property indicates the WebSocket protocol version of the connection. /// This property represents the WebSocket protocol version of the connection.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="string"/> that contains the value of the Sec-WebSocket-Version header field. /// A <see cref="string"/> that represents the value of the
/// Sec-WebSocket-Version header field.
/// </value> /// </value>
public abstract string SecWebSocketVersion { get; } public abstract string SecWebSocketVersion { get; }
@ -179,15 +198,16 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the server endpoint as an IP address and a port number. /// Gets the server endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Net.IPEndPoint"/> that contains the server endpoint. /// A <see cref="System.Net.IPEndPoint"/> that represents the server endpoint.
/// </value> /// </value>
public abstract System.Net.IPEndPoint ServerEndPoint { get; } public abstract System.Net.IPEndPoint ServerEndPoint { get; }
/// <summary> /// <summary>
/// Gets the client information (identity, authentication information and security roles). /// Gets the client information (identity, authentication information and
/// security roles).
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="IPrincipal"/> that contains the client information. /// A <see cref="IPrincipal"/> that represents the client information.
/// </value> /// </value>
public abstract IPrincipal User { get; } public abstract IPrincipal User { get; }
@ -195,12 +215,13 @@ namespace WebSocketSharp.Net.WebSockets
/// Gets the client endpoint as an IP address and a port number. /// Gets the client endpoint as an IP address and a port number.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Net.IPEndPoint"/> that contains the client endpoint. /// A <see cref="System.Net.IPEndPoint"/> that represents the client endpoint.
/// </value> /// </value>
public abstract System.Net.IPEndPoint UserEndPoint { get; } public abstract System.Net.IPEndPoint UserEndPoint { get; }
/// <summary> /// <summary>
/// Gets the WebSocket instance used for two-way communication between client and server. /// Gets the WebSocket instance used for two-way communication between client
/// and server.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="WebSocketSharp.WebSocket"/>. /// A <see cref="WebSocketSharp.WebSocket"/>.

View File

@ -40,16 +40,19 @@ using System.Collections.Generic;
using System.Diagnostics; using System.Diagnostics;
using System.IO; using System.IO;
using System.Security.Cryptography.X509Certificates; using System.Security.Cryptography.X509Certificates;
using System.Security.Principal;
using System.Threading; using System.Threading;
using WebSocketSharp.Net; using WebSocketSharp.Net;
using WebSocketSharp.Net.WebSockets;
namespace WebSocketSharp.Server namespace WebSocketSharp.Server
{ {
/// <summary> /// <summary>
/// Provides a simple HTTP server that allows to accept the WebSocket connection requests. /// Provides a simple HTTP server that allows to accept the WebSocket
/// connection requests.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The HttpServer instance can provide the multi WebSocket services. /// The HttpServer class can provide the multi WebSocket services.
/// </remarks> /// </remarks>
public class HttpServer public class HttpServer
{ {
@ -71,8 +74,8 @@ namespace WebSocketSharp.Server
#region Public Constructors #region Public Constructors
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="HttpServer"/> class that listens for /// Initializes a new instance of the <see cref="HttpServer"/> class that
/// incoming requests on port 80. /// listens for incoming requests on port 80.
/// </summary> /// </summary>
public HttpServer () public HttpServer ()
: this (80) : this (80)
@ -80,8 +83,8 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="HttpServer"/> class that listens for /// Initializes a new instance of the <see cref="HttpServer"/> class that
/// incoming requests on the specified <paramref name="port"/>. /// listens for incoming requests on the specified <paramref name="port"/>.
/// </summary> /// </summary>
/// <param name="port"> /// <param name="port">
/// An <see cref="int"/> that contains a port number. /// An <see cref="int"/> that contains a port number.
@ -95,8 +98,9 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="HttpServer"/> class that listens for /// Initializes a new instance of the <see cref="HttpServer"/> class that
/// incoming requests on the specified <paramref name="port"/> and <paramref name="secure"/>. /// listens for incoming requests on the specified <paramref name="port"/>
/// and <paramref name="secure"/>.
/// </summary> /// </summary>
/// <param name="port"> /// <param name="port">
/// An <see cref="int"/> that contains a port number. /// An <see cref="int"/> that contains a port number.
@ -114,16 +118,28 @@ namespace WebSocketSharp.Server
public HttpServer (int port, bool secure) public HttpServer (int port, bool secure)
{ {
if (!port.IsPortNumber ()) if (!port.IsPortNumber ())
throw new ArgumentOutOfRangeException ("port", "Must be between 1 and 65535: " + port); throw new ArgumentOutOfRangeException (
"port", "Must be between 1 and 65535: " + port);
if ((port == 80 && secure) || (port == 443 && !secure)) if ((port == 80 && secure) || (port == 443 && !secure))
throw new ArgumentException (String.Format ( throw new ArgumentException (
String.Format (
"Invalid pair of 'port' and 'secure': {0}, {1}", port, secure)); "Invalid pair of 'port' and 'secure': {0}, {1}", port, secure));
_port = port; _port = port;
_secure = secure; _secure = secure;
_listener = new HttpListener ();
_logger = new Logger ();
_serviceHosts = new WebSocketServiceHostManager (_logger);
_state = ServerState.READY;
_sync = new object ();
init (); var os = Environment.OSVersion;
if (os.Platform != PlatformID.Unix && os.Platform != PlatformID.MacOSX)
_windows = true;
var prefix = String.Format ("http{0}://*:{1}/", _secure ? "s" : "", _port);
_listener.Prefixes.Add (prefix);
} }
#endregion #endregion
@ -131,7 +147,29 @@ namespace WebSocketSharp.Server
#region Public Properties #region Public Properties
/// <summary> /// <summary>
/// Gets or sets the certificate used to authenticate the server on the secure connection. /// Gets or sets the scheme used to authenticate the clients.
/// </summary>
/// <value>
/// One of the <see cref="WebSocketSharp.Net.AuthenticationSchemes"/> values
/// that indicates the scheme used to authenticate the clients. The default
/// value is <see cref="WebSocketSharp.Net.AuthenticationSchemes.Anonymous"/>.
/// </value>
public AuthenticationSchemes AuthenticationSchemes {
get {
return _listener.AuthenticationSchemes;
}
set {
if (!canSet ("AuthenticationSchemes"))
return;
_listener.AuthenticationSchemes = value;
}
}
/// <summary>
/// Gets or sets the certificate used to authenticate the server on the
/// secure connection.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="X509Certificate2"/> used to authenticate the server. /// A <see cref="X509Certificate2"/> used to authenticate the server.
@ -142,16 +180,12 @@ namespace WebSocketSharp.Server
} }
set { set {
if (_state == ServerState.START || _state == ServerState.SHUTDOWN) if (!canSet ("Certificate"))
{
_logger.Error (
"The value of Certificate property cannot be changed because the server has already been started.");
return; return;
}
if (EndPointListener.CertificateExists (_port, _listener.CertificateFolderPath)) if (EndPointListener.CertificateExists (_port, _listener.CertificateFolderPath))
_logger.Warn ("The server certificate associated with the port number already exists."); _logger.Warn (
"The server certificate associated with the port number already exists.");
_listener.DefaultCertificate = value; _listener.DefaultCertificate = value;
} }
@ -173,7 +207,8 @@ namespace WebSocketSharp.Server
/// Gets a value indicating whether the server provides secure connection. /// Gets a value indicating whether the server provides secure connection.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the server provides secure connection; otherwise, <c>false</c>. /// <c>true</c> if the server provides secure connection; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public bool IsSecure { public bool IsSecure {
get { get {
@ -182,12 +217,12 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Gets or sets a value indicating whether the server cleans up the inactive WebSocket sessions /// Gets or sets a value indicating whether the server cleans up the inactive
/// periodically. /// WebSocket sessions periodically.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the server cleans up the inactive WebSocket sessions every 60 seconds; /// <c>true</c> if the server cleans up the inactive WebSocket sessions every
/// otherwise, <c>false</c>. The default value is <c>true</c>. /// 60 seconds; otherwise, <c>false</c>. The default value is <c>true</c>.
/// </value> /// </value>
public bool KeepClean { public bool KeepClean {
get { get {
@ -203,9 +238,9 @@ namespace WebSocketSharp.Server
/// Gets the logging functions. /// Gets the logging functions.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The default logging level is the <see cref="LogLevel.ERROR"/>. /// The default logging level is the <see cref="LogLevel.ERROR"/>. If you
/// If you want to change the current logging level, you set the <c>Log.Level</c> property /// change the current logging level, you set the <c>Log.Level</c> property
/// to one of the <see cref="LogLevel"/> values which you want. /// to any of the <see cref="LogLevel"/> values.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="Logger"/> that provides the logging functions. /// A <see cref="Logger"/> that provides the logging functions.
@ -228,6 +263,27 @@ namespace WebSocketSharp.Server
} }
} }
/// <summary>
/// Gets or sets the name of the realm associated with the
/// <see cref="HttpServer"/>.
/// </summary>
/// <value>
/// A <see cref="string"/> that contains the name of the realm.
/// The default value is <c>SECRET AREA</c>.
/// </value>
public string Realm {
get {
return _listener.Realm;
}
set {
if (!canSet ("Realm"))
return;
_listener.Realm = value;
}
}
/// <summary> /// <summary>
/// Gets or sets the document root path of server. /// Gets or sets the document root path of server.
/// </summary> /// </summary>
@ -243,23 +299,42 @@ namespace WebSocketSharp.Server
} }
set { set {
if (_state == ServerState.START || _state == ServerState.SHUTDOWN) if (!canSet ("RootPath"))
{
_logger.Error (
"The value of RootPath property cannot be changed because the server has already been started.");
return; return;
}
_rootPath = value; _rootPath = value;
} }
} }
/// <summary> /// <summary>
/// Gets the functions for the WebSocket services that the server provides. /// Gets or sets the delegate called to find the credentials for an identity
/// used to authenticate a client.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="WebSocketServiceHostManager"/> that manages the WebSocket services. /// A Func&lt;<see cref="IIdentity"/>, <see cref="NetworkCredential"/>&gt;
/// delegate that references the method(s) used to find the credentials. The
/// default value is a function that only returns <see langword="null"/>.
/// </value>
public Func<IIdentity, NetworkCredential> UserCredentialsFinder {
get {
return _listener.UserCredentialsFinder;
}
set {
if (!canSet ("UserCredentialsFinder"))
return;
_listener.UserCredentialsFinder = value;
}
}
/// <summary>
/// Gets the functions for the WebSocket services provided by the
/// <see cref="HttpServer"/>.
/// </summary>
/// <value>
/// A <see cref="WebSocketServiceHostManager"/> that manages the WebSocket
/// services.
/// </value> /// </value>
public WebSocketServiceHostManager WebSocketServices { public WebSocketServiceHostManager WebSocketServices {
get { get {
@ -322,8 +397,7 @@ namespace WebSocketSharp.Server
private void abort () private void abort ()
{ {
lock (_sync) lock (_sync) {
{
if (!IsListening) if (!IsListening)
return; return;
@ -331,12 +405,136 @@ namespace WebSocketSharp.Server
} }
_serviceHosts.Stop ( _serviceHosts.Stop (
((ushort) CloseStatusCode.SERVER_ERROR).ToByteArrayInternally (ByteOrder.BIG), true); ((ushort) CloseStatusCode.SERVER_ERROR).ToByteArrayInternally (ByteOrder.BIG),
true);
_listener.Abort (); _listener.Abort ();
_state = ServerState.STOP; _state = ServerState.STOP;
} }
private void acceptHttpRequest (HttpListenerContext context)
{
var args = new HttpRequestEventArgs (context);
var method = context.Request.HttpMethod;
if (method == "GET" && OnGet != null) {
OnGet (this, args);
return;
}
if (method == "HEAD" && OnHead != null) {
OnHead (this, args);
return;
}
if (method == "POST" && OnPost != null) {
OnPost (this, args);
return;
}
if (method == "PUT" && OnPut != null) {
OnPut (this, args);
return;
}
if (method == "DELETE" && OnDelete != null) {
OnDelete (this, args);
return;
}
if (method == "OPTIONS" && OnOptions != null) {
OnOptions (this, args);
return;
}
if (method == "TRACE" && OnTrace != null) {
OnTrace (this, args);
return;
}
if (method == "CONNECT" && OnConnect != null) {
OnConnect (this, args);
return;
}
if (method == "PATCH" && OnPatch != null) {
OnPatch (this, args);
return;
}
context.Response.Close (HttpStatusCode.NotImplemented);
}
private void acceptRequestAsync (HttpListenerContext context)
{
ThreadPool.QueueUserWorkItem (
state => {
try {
var authScheme = _listener.SelectAuthenticationScheme (context);
if (authScheme != AuthenticationSchemes.Anonymous &&
!authenticateRequest (authScheme, context))
return;
if (context.Request.IsUpgradeTo ("websocket")) {
acceptWebSocketRequest (context.AcceptWebSocket (_logger));
return;
}
acceptHttpRequest (context);
context.Response.Close ();
}
catch (Exception ex) {
_logger.Fatal (ex.ToString ());
context.Connection.Close (true);
}
});
}
private void acceptWebSocketRequest (HttpListenerWebSocketContext context)
{
var path = context.Path;
WebSocketServiceHost host;
if (path == null ||
!_serviceHosts.TryGetServiceHostInternally (path, out host)) {
context.Close (HttpStatusCode.NotImplemented);
return;
}
host.StartSession (context);
}
private bool authenticateRequest (
AuthenticationSchemes scheme, HttpListenerContext context)
{
if (context.Request.IsAuthenticated)
return true;
if (scheme == AuthenticationSchemes.Basic)
context.Response.CloseWithAuthChallenge (
HttpUtility.CreateBasicAuthChallenge (_listener.Realm));
else if (scheme == AuthenticationSchemes.Digest)
context.Response.CloseWithAuthChallenge (
HttpUtility.CreateDigestAuthChallenge (_listener.Realm));
else
context.Response.Close (HttpStatusCode.Forbidden);
return false;
}
private bool canSet (string property)
{
if (_state == ServerState.START || _state == ServerState.SHUTDOWN) {
_logger.Error (
String.Format (
"The '{0}' property cannot set a value because the server has already been started.",
property));
return false;
}
return true;
}
private string checkIfCertExists () private string checkIfCertExists ()
{ {
return _secure && return _secure &&
@ -346,137 +544,17 @@ namespace WebSocketSharp.Server
: null; : null;
} }
private void init ()
{
_listener = new HttpListener ();
_logger = new Logger ();
_serviceHosts = new WebSocketServiceHostManager (_logger);
_state = ServerState.READY;
_sync = new object ();
_windows = false;
var os = Environment.OSVersion;
if (os.Platform != PlatformID.Unix && os.Platform != PlatformID.MacOSX)
_windows = true;
var prefix = String.Format ("http{0}://*:{1}/", _secure ? "s" : "", _port);
_listener.Prefixes.Add (prefix);
}
private void processHttpRequest (HttpListenerContext context)
{
var args = new HttpRequestEventArgs (context);
var method = context.Request.HttpMethod;
if (method == "GET" && OnGet != null)
{
OnGet (this, args);
return;
}
if (method == "HEAD" && OnHead != null)
{
OnHead (this, args);
return;
}
if (method == "POST" && OnPost != null)
{
OnPost (this, args);
return;
}
if (method == "PUT" && OnPut != null)
{
OnPut (this, args);
return;
}
if (method == "DELETE" && OnDelete != null)
{
OnDelete (this, args);
return;
}
if (method == "OPTIONS" && OnOptions != null)
{
OnOptions (this, args);
return;
}
if (method == "TRACE" && OnTrace != null)
{
OnTrace (this, args);
return;
}
if (method == "CONNECT" && OnConnect != null)
{
OnConnect (this, args);
return;
}
if (method == "PATCH" && OnPatch != null)
{
OnPatch (this, args);
return;
}
context.Response.StatusCode = (int) HttpStatusCode.NotImplemented;
}
private bool processWebSocketRequest (HttpListenerContext context)
{
var wsContext = context.AcceptWebSocket ();
var path = wsContext.Path;
WebSocketServiceHost host;
if (path == null || !_serviceHosts.TryGetServiceHostInternally (path, out host))
{
context.Response.StatusCode = (int) HttpStatusCode.NotImplemented;
return false;
}
wsContext.WebSocket.Log = _logger;
host.StartSession (wsContext);
return true;
}
private void processRequestAsync (HttpListenerContext context)
{
WaitCallback callback = state =>
{
try {
if (context.Request.IsUpgradeTo ("websocket"))
{
if (processWebSocketRequest (context))
return;
}
else
{
processHttpRequest (context);
}
context.Response.Close ();
}
catch (Exception ex) {
_logger.Fatal (ex.ToString ());
context.Connection.Close (true);
}
};
ThreadPool.QueueUserWorkItem (callback);
}
private void receiveRequest () private void receiveRequest ()
{ {
while (true) while (true) {
{
try { try {
processRequestAsync (_listener.GetContext ()); acceptRequestAsync (_listener.GetContext ());
} }
catch (HttpListenerException ex) { catch (HttpListenerException ex) {
_logger.Warn (String.Format ("Receiving has been stopped.\nreason: {0}.", ex.Message)); _logger.Warn (
String.Format (
"Receiving has been stopped.\nreason: {0}.", ex.Message));
break; break;
} }
catch (Exception ex) { catch (Exception ex) {
@ -489,7 +567,7 @@ namespace WebSocketSharp.Server
abort (); abort ();
} }
private void startReceiveRequestThread () private void startReceiving ()
{ {
_receiveRequestThread = new Thread (new ThreadStart (receiveRequest)); _receiveRequestThread = new Thread (new ThreadStart (receiveRequest));
_receiveRequestThread.IsBackground = true; _receiveRequestThread.IsBackground = true;
@ -507,18 +585,21 @@ namespace WebSocketSharp.Server
#region Public Methods #region Public Methods
/// <summary> /// <summary>
/// Adds the specified typed WebSocket service with the specified <paramref name="servicePath"/>. /// Adds the specified typed WebSocket service with the specified
/// <paramref name="servicePath"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This method converts <paramref name="servicePath"/> to URL-decoded string and /// This method converts <paramref name="servicePath"/> to URL-decoded string
/// removes <c>'/'</c> from tail end of <paramref name="servicePath"/>. /// and removes <c>'/'</c> from tail end of <paramref name="servicePath"/>.
/// </remarks> /// </remarks>
/// <param name="servicePath"> /// <param name="servicePath">
/// A <see cref="string"/> that contains an absolute path to the WebSocket service. /// A <see cref="string"/> that contains an absolute path to the WebSocket
/// service.
/// </param> /// </param>
/// <typeparam name="TWithNew"> /// <typeparam name="TWithNew">
/// The type of the WebSocket service. The TWithNew must inherit the <see cref="WebSocketService"/> class and /// The type of the WebSocket service. The TWithNew must inherit the
/// must have a public parameterless constructor. /// <see cref="WebSocketService"/> class and must have a public parameterless
/// constructor.
/// </typeparam> /// </typeparam>
public void AddWebSocketService<TWithNew> (string servicePath) public void AddWebSocketService<TWithNew> (string servicePath)
where TWithNew : WebSocketService, new () where TWithNew : WebSocketService, new ()
@ -527,42 +608,50 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Adds the specified typed WebSocket service with the specified <paramref name="servicePath"/> and /// Adds the specified typed WebSocket service with the specified
/// <paramref name="serviceConstructor"/>. /// <paramref name="servicePath"/> and <paramref name="serviceConstructor"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// <para> /// <para>
/// This method converts <paramref name="servicePath"/> to URL-decoded string and /// This method converts <paramref name="servicePath"/> to URL-decoded
/// removes <c>'/'</c> from tail end of <paramref name="servicePath"/>. /// string and removes <c>'/'</c> from tail end of
/// <paramref name="servicePath"/>.
/// </para> /// </para>
/// <para> /// <para>
/// <paramref name="serviceConstructor"/> returns a initialized specified typed WebSocket service /// <paramref name="serviceConstructor"/> returns a initialized specified
/// instance. /// typed WebSocket service instance.
/// </para> /// </para>
/// </remarks> /// </remarks>
/// <param name="servicePath"> /// <param name="servicePath">
/// A <see cref="string"/> that contains an absolute path to the WebSocket service. /// A <see cref="string"/> that contains an absolute path to the WebSocket
/// service.
/// </param> /// </param>
/// <param name="serviceConstructor"> /// <param name="serviceConstructor">
/// A Func&lt;T&gt; delegate that references the method used to initialize a new WebSocket service /// A Func&lt;T&gt; delegate that references the method used to initialize
/// instance (a new WebSocket session). /// a new WebSocket service instance (a new WebSocket session).
/// </param> /// </param>
/// <typeparam name="T"> /// <typeparam name="T">
/// The type of the WebSocket service. The T must inherit the <see cref="WebSocketService"/> class. /// The type of the WebSocket service. The T must inherit the
/// <see cref="WebSocketService"/> class.
/// </typeparam> /// </typeparam>
public void AddWebSocketService<T> (string servicePath, Func<T> serviceConstructor) public void AddWebSocketService<T> (string servicePath, Func<T> serviceConstructor)
where T : WebSocketService where T : WebSocketService
{ {
var msg = servicePath.CheckIfValidServicePath () ?? var msg = servicePath.CheckIfValidServicePath () ??
(serviceConstructor == null ? "'serviceConstructor' must not be null." : null); (serviceConstructor == null
? "'serviceConstructor' must not be null."
: null);
if (msg != null) {
_logger.Error (
String.Format ("{0}\nservice path: {1}", msg, servicePath ?? ""));
if (msg != null)
{
_logger.Error (String.Format ("{0}\nservice path: {1}", msg, servicePath ?? ""));
return; return;
} }
var host = new WebSocketServiceHost<T> (servicePath, serviceConstructor, _logger); var host = new WebSocketServiceHost<T> (
servicePath, serviceConstructor, _logger);
if (!KeepClean) if (!KeepClean)
host.KeepClean = false; host.KeepClean = false;
@ -573,8 +662,8 @@ namespace WebSocketSharp.Server
/// Gets the contents of the file with the specified <paramref name="path"/>. /// Gets the contents of the file with the specified <paramref name="path"/>.
/// </summary> /// </summary>
/// <returns> /// <returns>
/// An array of <see cref="byte"/> that contains the contents of the file if exists; /// An array of <see cref="byte"/> that contains the contents of the file if
/// otherwise, <see langword="null"/>. /// it exists; otherwise, <see langword="null"/>.
/// </returns> /// </returns>
/// <param name="path"> /// <param name="path">
/// A <see cref="string"/> that contains a virtual path to the file to get. /// A <see cref="string"/> that contains a virtual path to the file to get.
@ -591,24 +680,28 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Removes the WebSocket service with the specified <paramref name="servicePath"/>. /// Removes the WebSocket service with the specified
/// <paramref name="servicePath"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This method converts <paramref name="servicePath"/> to URL-decoded string and /// This method converts <paramref name="servicePath"/> to URL-decoded string
/// removes <c>'/'</c> from tail end of <paramref name="servicePath"/>. /// and removes <c>'/'</c> from tail end of <paramref name="servicePath"/>.
/// </remarks> /// </remarks>
/// <returns> /// <returns>
/// <c>true</c> if the WebSocket service is successfully found and removed; otherwise, <c>false</c>. /// <c>true</c> if the WebSocket service is successfully found and removed;
/// otherwise, <c>false</c>.
/// </returns> /// </returns>
/// <param name="servicePath"> /// <param name="servicePath">
/// A <see cref="string"/> that contains an absolute path to the WebSocket service to find. /// A <see cref="string"/> that contains an absolute path to the WebSocket
/// service to find.
/// </param> /// </param>
public bool RemoveWebSocketService (string servicePath) public bool RemoveWebSocketService (string servicePath)
{ {
var msg = servicePath.CheckIfValidServicePath (); var msg = servicePath.CheckIfValidServicePath ();
if (msg != null) if (msg != null) {
{ _logger.Error (
_logger.Error (String.Format ("{0}\nservice path: {1}", msg, servicePath ?? "")); String.Format ("{0}\nservice path: {1}", msg, servicePath));
return false; return false;
} }
@ -616,22 +709,23 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Starts to receive the HTTP requests. /// Starts receiving the HTTP requests.
/// </summary> /// </summary>
public void Start () public void Start ()
{ {
lock (_sync) lock (_sync) {
{
var msg = _state.CheckIfStopped () ?? checkIfCertExists (); var msg = _state.CheckIfStopped () ?? checkIfCertExists ();
if (msg != null) if (msg != null) {
{ _logger.Error (
_logger.Error (String.Format ("{0}\nstate: {1}\nsecure: {2}", msg, _state, _secure)); String.Format (
"{0}\nstate: {1}\nsecure: {2}", msg, _state, _secure));
return; return;
} }
_serviceHosts.Start (); _serviceHosts.Start ();
_listener.Start (); _listener.Start ();
startReceiveRequestThread (); startReceiving ();
_state = ServerState.START; _state = ServerState.START;
} }
@ -642,11 +736,9 @@ namespace WebSocketSharp.Server
/// </summary> /// </summary>
public void Stop () public void Stop ()
{ {
lock (_sync) lock (_sync) {
{
var msg = _state.CheckIfStarted (); var msg = _state.CheckIfStarted ();
if (msg != null) if (msg != null) {
{
_logger.Error (String.Format ("{0}\nstate: {1}", msg, _state)); _logger.Error (String.Format ("{0}\nstate: {1}", msg, _state));
return; return;
} }
@ -654,18 +746,19 @@ namespace WebSocketSharp.Server
_state = ServerState.SHUTDOWN; _state = ServerState.SHUTDOWN;
} }
_serviceHosts.Stop (new byte []{}, true); _serviceHosts.Stop (new byte [0], true);
stopListener (5000); stopListener (5000);
_state = ServerState.STOP; _state = ServerState.STOP;
} }
/// <summary> /// <summary>
/// Stops receiving the HTTP requests with the specified <see cref="ushort"/> and /// Stops receiving the HTTP requests with the specified <see cref="ushort"/>
/// <see cref="string"/> used to stop the WebSocket services. /// and <see cref="string"/> used to stop the WebSocket services.
/// </summary> /// </summary>
/// <param name="code"> /// <param name="code">
/// A <see cref="ushort"/> that contains a status code indicating the reason for stop. /// A <see cref="ushort"/> that contains a status code indicating the reason
/// for stop.
/// </param> /// </param>
/// <param name="reason"> /// <param name="reason">
/// A <see cref="string"/> that contains the reason for stop. /// A <see cref="string"/> that contains the reason for stop.
@ -673,15 +766,14 @@ namespace WebSocketSharp.Server
public void Stop (ushort code, string reason) public void Stop (ushort code, string reason)
{ {
byte [] data = null; byte [] data = null;
lock (_sync) lock (_sync) {
{
var msg = _state.CheckIfStarted () ?? var msg = _state.CheckIfStarted () ??
code.CheckIfValidCloseStatusCode () ?? code.CheckIfValidCloseStatusCode () ??
(data = code.Append (reason)).CheckIfValidCloseData (); (data = code.Append (reason)).CheckIfValidCloseData ();
if (msg != null) if (msg != null) {
{ _logger.Error (
_logger.Error (String.Format ( String.Format (
"{0}\nstate: {1}\ncode: {2}\nreason: {3}", msg, _state, code, reason)); "{0}\nstate: {1}\ncode: {2}\nreason: {3}", msg, _state, code, reason));
return; return;
@ -697,12 +789,13 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Stops receiving the HTTP requests with the specified <see cref="CloseStatusCode"/> /// Stops receiving the HTTP requests with the specified
/// and <see cref="string"/> used to stop the WebSocket services. /// <see cref="CloseStatusCode"/> and <see cref="string"/> used to stop the
/// WebSocket services.
/// </summary> /// </summary>
/// <param name="code"> /// <param name="code">
/// One of the <see cref="CloseStatusCode"/> values that represent the status codes indicating /// One of the <see cref="CloseStatusCode"/> values that represent the status
/// the reasons for stop. /// codes indicating the reasons for stop.
/// </param> /// </param>
/// <param name="reason"> /// <param name="reason">
/// A <see cref="string"/> that contains the reason for stop. /// A <see cref="string"/> that contains the reason for stop.
@ -710,14 +803,14 @@ namespace WebSocketSharp.Server
public void Stop (CloseStatusCode code, string reason) public void Stop (CloseStatusCode code, string reason)
{ {
byte [] data = null; byte [] data = null;
lock (_sync) lock (_sync) {
{
var msg = _state.CheckIfStarted () ?? var msg = _state.CheckIfStarted () ??
(data = ((ushort) code).Append (reason)).CheckIfValidCloseData (); (data = ((ushort) code).Append (reason)).CheckIfValidCloseData ();
if (msg != null) if (msg != null) {
{ _logger.Error (
_logger.Error (String.Format ("{0}\nstate: {1}\nreason: {2}", msg, _state, reason)); String.Format ("{0}\nstate: {1}\nreason: {2}", msg, _state, reason));
return; return;
} }

View File

@ -39,6 +39,7 @@ using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.Net.Sockets; using System.Net.Sockets;
using System.Security.Cryptography.X509Certificates; using System.Security.Cryptography.X509Certificates;
using System.Security.Principal;
using System.Text; using System.Text;
using System.Threading; using System.Threading;
using WebSocketSharp.Net; using WebSocketSharp.Net;
@ -47,7 +48,8 @@ using WebSocketSharp.Net.WebSockets;
namespace WebSocketSharp.Server namespace WebSocketSharp.Server
{ {
/// <summary> /// <summary>
/// Provides the functions of the server that receives the WebSocket connection requests. /// Provides the functions of the server that receives the WebSocket connection
/// requests.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The WebSocketServer class provides the multi WebSocket service. /// The WebSocketServer class provides the multi WebSocket service.
@ -57,10 +59,13 @@ namespace WebSocketSharp.Server
#region Private Fields #region Private Fields
private System.Net.IPAddress _address; private System.Net.IPAddress _address;
private AuthenticationSchemes _authSchemes;
private X509Certificate2 _cert; private X509Certificate2 _cert;
private Func<IIdentity, NetworkCredential> _credentialsFinder;
private TcpListener _listener; private TcpListener _listener;
private Logger _logger; private Logger _logger;
private int _port; private int _port;
private string _realm;
private Thread _receiveRequestThread; private Thread _receiveRequestThread;
private bool _secure; private bool _secure;
private WebSocketServiceHostManager _serviceHosts; private WebSocketServiceHostManager _serviceHosts;
@ -73,8 +78,8 @@ namespace WebSocketSharp.Server
#region Public Constructors #region Public Constructors
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="WebSocketServer"/> class that listens for /// Initializes a new instance of the <see cref="WebSocketServer"/> class
/// incoming requests on port 80. /// that listens for incoming requests on port 80.
/// </summary> /// </summary>
public WebSocketServer () public WebSocketServer ()
: this (80) : this (80)
@ -82,8 +87,9 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="WebSocketServer"/> class that listens for /// Initializes a new instance of the <see cref="WebSocketServer"/> class
/// incoming connection attempts on the specified <paramref name="port"/>. /// that listens for incoming connection attempts on the specified
/// <paramref name="port"/>.
/// </summary> /// </summary>
/// <param name="port"> /// <param name="port">
/// An <see cref="int"/> that contains a port number. /// An <see cref="int"/> that contains a port number.
@ -97,8 +103,9 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="WebSocketServer"/> class that listens for /// Initializes a new instance of the <see cref="WebSocketServer"/> class
/// incoming connection attempts on the specified WebSocket URL. /// that listens for incoming connection attempts on the specified WebSocket
/// URL.
/// </summary> /// </summary>
/// <param name="url"> /// <param name="url">
/// A <see cref="string"/> that contains a WebSocket URL. /// A <see cref="string"/> that contains a WebSocket URL.
@ -121,7 +128,8 @@ namespace WebSocketSharp.Server
var host = _uri.DnsSafeHost; var host = _uri.DnsSafeHost;
_address = host.ToIPAddress (); _address = host.ToIPAddress ();
if (_address == null || !_address.IsLocal ()) if (_address == null || !_address.IsLocal ())
throw new ArgumentException (String.Format ( throw new ArgumentException (
String.Format (
"The host part must be the local host name: {0}", host), "url"); "The host part must be the local host name: {0}", host), "url");
_port = _uri.Port; _port = _uri.Port;
@ -131,8 +139,9 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="WebSocketServer"/> class that listens for /// Initializes a new instance of the <see cref="WebSocketServer"/> class
/// incoming connection attempts on the specified <paramref name="port"/> and <paramref name="secure"/>. /// that listens for incoming connection attempts on the specified
/// <paramref name="port"/> and <paramref name="secure"/>.
/// </summary> /// </summary>
/// <param name="port"> /// <param name="port">
/// An <see cref="int"/> that contains a port number. /// An <see cref="int"/> that contains a port number.
@ -153,11 +162,13 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="WebSocketServer"/> class that listens for /// Initializes a new instance of the <see cref="WebSocketServer"/> class
/// incoming connection attempts on the specified <paramref name="address"/> and <paramref name="port"/>. /// that listens for incoming connection attempts on the specified
/// <paramref name="address"/> and <paramref name="port"/>.
/// </summary> /// </summary>
/// <param name="address"> /// <param name="address">
/// A <see cref="System.Net.IPAddress"/> that represents the local IP address. /// A <see cref="System.Net.IPAddress"/> that represents the local IP
/// address.
/// </param> /// </param>
/// <param name="port"> /// <param name="port">
/// An <see cref="int"/> that contains a port number. /// An <see cref="int"/> that contains a port number.
@ -177,12 +188,14 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="WebSocketServer"/> class that listens for /// Initializes a new instance of the <see cref="WebSocketServer"/> class
/// incoming connection attempts on the specified <paramref name="address"/>, <paramref name="port"/> /// that listens for incoming connection attempts on the specified
/// and <paramref name="secure"/>. /// <paramref name="address"/>, <paramref name="port"/> and
/// <paramref name="secure"/>.
/// </summary> /// </summary>
/// <param name="address"> /// <param name="address">
/// A <see cref="System.Net.IPAddress"/> that represents the local IP address. /// A <see cref="System.Net.IPAddress"/> that represents the local IP
/// address.
/// </param> /// </param>
/// <param name="port"> /// <param name="port">
/// An <see cref="int"/> that contains a port number. /// An <see cref="int"/> that contains a port number.
@ -205,20 +218,24 @@ namespace WebSocketSharp.Server
/// -or- /// -or-
/// </para> /// </para>
/// <para> /// <para>
/// Pair of <paramref name="port"/> and <paramref name="secure"/> is invalid. /// Pair of <paramref name="port"/> and <paramref name="secure"/> is
/// invalid.
/// </para> /// </para>
/// </exception> /// </exception>
public WebSocketServer (System.Net.IPAddress address, int port, bool secure) public WebSocketServer (System.Net.IPAddress address, int port, bool secure)
{ {
if (!address.IsLocal ()) if (!address.IsLocal ())
throw new ArgumentException (String.Format ( throw new ArgumentException (
String.Format (
"Must be the local IP address: {0}", address), "address"); "Must be the local IP address: {0}", address), "address");
if (!port.IsPortNumber ()) if (!port.IsPortNumber ())
throw new ArgumentOutOfRangeException ("port", "Must be between 1 and 65535: " + port); throw new ArgumentOutOfRangeException (
"port", "Must be between 1 and 65535: " + port);
if ((port == 80 && secure) || (port == 443 && !secure)) if ((port == 80 && secure) || (port == 443 && !secure))
throw new ArgumentException (String.Format ( throw new ArgumentException (
String.Format (
"Invalid pair of 'port' and 'secure': {0}, {1}", port, secure)); "Invalid pair of 'port' and 'secure': {0}, {1}", port, secure));
_address = address; _address = address;
@ -234,10 +251,12 @@ namespace WebSocketSharp.Server
#region Public Properties #region Public Properties
/// <summary> /// <summary>
/// Gets the local IP address on which to listen for incoming connection attempts. /// Gets the local IP address on which to listen for incoming connection
/// attempts.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="System.Net.IPAddress"/> that represents the local IP address. /// A <see cref="System.Net.IPAddress"/> that represents the local IP
/// address.
/// </value> /// </value>
public System.Net.IPAddress Address { public System.Net.IPAddress Address {
get { get {
@ -246,7 +265,29 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Gets or sets the certificate used to authenticate the server on the secure connection. /// Gets or sets the scheme used to authenticate the clients.
/// </summary>
/// <value>
/// One of the <see cref="WebSocketSharp.Net.AuthenticationSchemes"/> values
/// that indicates the scheme used to authenticate the clients. The default
/// value is <see cref="WebSocketSharp.Net.AuthenticationSchemes.Anonymous"/>.
/// </value>
public AuthenticationSchemes AuthenticationSchemes {
get {
return _authSchemes;
}
set {
if (!canSet ("AuthenticationSchemes"))
return;
_authSchemes = value;
}
}
/// <summary>
/// Gets or sets the certificate used to authenticate the server on the
/// secure connection.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="X509Certificate2"/> used to authenticate the server. /// A <see cref="X509Certificate2"/> used to authenticate the server.
@ -257,13 +298,8 @@ namespace WebSocketSharp.Server
} }
set { set {
if (_state == ServerState.START || _state == ServerState.SHUTDOWN) if (!canSet ("Certificate"))
{
_logger.Error (
"The value of Certificate property cannot be changed because the server has already been started.");
return; return;
}
_cert = value; _cert = value;
} }
@ -285,7 +321,8 @@ namespace WebSocketSharp.Server
/// Gets a value indicating whether the server provides secure connection. /// Gets a value indicating whether the server provides secure connection.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the server provides secure connection; otherwise, <c>false</c>. /// <c>true</c> if the server provides secure connection; otherwise,
/// <c>false</c>.
/// </value> /// </value>
public bool IsSecure { public bool IsSecure {
get { get {
@ -294,11 +331,12 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Gets or sets a value indicating whether the server cleans up the inactive sessions periodically. /// Gets or sets a value indicating whether the server cleans up the inactive
/// sessions periodically.
/// </summary> /// </summary>
/// <value> /// <value>
/// <c>true</c> if the server cleans up the inactive sessions every 60 seconds; /// <c>true</c> if the server cleans up the inactive sessions every 60
/// otherwise, <c>false</c>. The default value is <c>true</c>. /// seconds; otherwise, <c>false</c>. The default value is <c>true</c>.
/// </value> /// </value>
public bool KeepClean { public bool KeepClean {
get { get {
@ -314,9 +352,9 @@ namespace WebSocketSharp.Server
/// Gets the logging functions. /// Gets the logging functions.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The default logging level is the <see cref="LogLevel.ERROR"/>. /// The default logging level is the <see cref="LogLevel.ERROR"/>. If you
/// If you want to change the current logging level, you set the <c>Log.Level</c> property /// change the current logging level, you set the <c>Log.Level</c> property
/// to one of the <see cref="LogLevel"/> values which you want. /// to any of the <see cref="LogLevel"/> values.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="Logger"/> that provides the logging functions. /// A <see cref="Logger"/> that provides the logging functions.
@ -340,10 +378,55 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Gets the functions for the WebSocket services provided by the server. /// Gets or sets the name of the realm associated with the
/// <see cref="WebSocketServer"/>.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="WebSocketServiceHostManager"/> that manages the WebSocket services. /// A <see cref="string"/> that contains the name of the realm.
/// The default value is <c>SECRET AREA</c>.
/// </value>
public string Realm {
get {
return _realm ?? (_realm = "SECRET AREA");
}
set {
if (!canSet ("Realm"))
return;
_realm = value;
}
}
/// <summary>
/// Gets or sets the delegate called to find the credentials for an identity
/// used to authenticate a client.
/// </summary>
/// <value>
/// A Func&lt;<see cref="IIdentity"/>, <see cref="NetworkCredential"/>&gt;
/// delegate that references the method(s) used to find the credentials. The
/// default value is a function that only returns <see langword="null"/>.
/// </value>
public Func<IIdentity, NetworkCredential> UserCredentialsFinder {
get {
return _credentialsFinder ?? (_credentialsFinder = identity => null);
}
set {
if (!canSet ("UserCredentialsFinder"))
return;
_credentialsFinder = value;
}
}
/// <summary>
/// Gets the functions for the WebSocket services provided by the
/// <see cref="WebSocketServer"/>.
/// </summary>
/// <value>
/// A <see cref="WebSocketServiceHostManager"/> that manages the WebSocket
/// services.
/// </value> /// </value>
public WebSocketServiceHostManager WebSocketServices { public WebSocketServiceHostManager WebSocketServices {
get { get {
@ -357,8 +440,7 @@ namespace WebSocketSharp.Server
private void abort () private void abort ()
{ {
lock (_sync) lock (_sync) {
{
if (!IsListening) if (!IsListening)
return; return;
@ -367,30 +449,103 @@ namespace WebSocketSharp.Server
_listener.Stop (); _listener.Stop ();
_serviceHosts.Stop ( _serviceHosts.Stop (
((ushort) CloseStatusCode.SERVER_ERROR).ToByteArrayInternally (ByteOrder.BIG), true); ((ushort) CloseStatusCode.SERVER_ERROR).ToByteArrayInternally (ByteOrder.BIG),
true);
_state = ServerState.STOP; _state = ServerState.STOP;
} }
private void acceptRequestAsync (TcpClient client)
{
ThreadPool.QueueUserWorkItem (
state => {
try {
var context = client.GetWebSocketContext (_cert, _secure, _logger);
if (_authSchemes != AuthenticationSchemes.Anonymous &&
!authenticateRequest (_authSchemes, context))
return;
acceptWebSocket (context);
}
catch (Exception ex) {
_logger.Fatal (ex.ToString ());
client.Close ();
}
});
}
private void acceptWebSocket (TcpListenerWebSocketContext context) private void acceptWebSocket (TcpListenerWebSocketContext context)
{ {
var websocket = context.WebSocket;
websocket.Log = _logger;
var path = context.Path; var path = context.Path;
WebSocketServiceHost host; WebSocketServiceHost host;
if (path == null || !_serviceHosts.TryGetServiceHostInternally (path, out host)) if (path == null ||
{ !_serviceHosts.TryGetServiceHostInternally (path, out host)) {
websocket.Close (HttpStatusCode.NotImplemented); context.Close (HttpStatusCode.NotImplemented);
return; return;
} }
if (_uri.IsAbsoluteUri)
websocket.Url = new Uri (_uri, path);
host.StartSession (context); host.StartSession (context);
} }
private bool authenticateRequest (
AuthenticationSchemes authScheme, TcpListenerWebSocketContext context)
{
var challenge = authScheme == AuthenticationSchemes.Basic
? HttpUtility.CreateBasicAuthChallenge (Realm)
: authScheme == AuthenticationSchemes.Digest
? HttpUtility.CreateDigestAuthChallenge (Realm)
: null;
if (challenge == null) {
context.Close (HttpStatusCode.Forbidden);
return false;
}
var retry = -1;
var expected = authScheme.ToString ();
var realm = Realm;
var credentialsFinder = UserCredentialsFinder;
Func<bool> auth = null;
auth = () => {
retry++;
if (retry > 99) {
context.Close (HttpStatusCode.Forbidden);
return false;
}
var header = context.Headers ["Authorization"];
if (header == null ||
!header.StartsWith (expected, StringComparison.OrdinalIgnoreCase)) {
context.SendAuthChallenge (challenge);
return auth ();
}
context.SetUser (authScheme, realm, credentialsFinder);
if (context.IsAuthenticated)
return true;
context.SendAuthChallenge (challenge);
return auth ();
};
return auth ();
}
private bool canSet (string property)
{
if (_state == ServerState.START || _state == ServerState.SHUTDOWN) {
_logger.Error (
String.Format (
"The '{0}' property cannot set a value because the server has already been started.",
property));
return false;
}
return true;
}
private string checkIfCertExists () private string checkIfCertExists ()
{ {
return _secure && _cert == null return _secure && _cert == null
@ -400,6 +555,7 @@ namespace WebSocketSharp.Server
private void init () private void init ()
{ {
_authSchemes = AuthenticationSchemes.Anonymous;
_listener = new TcpListener (_address, _port); _listener = new TcpListener (_address, _port);
_logger = new Logger (); _logger = new Logger ();
_serviceHosts = new WebSocketServiceHostManager (_logger); _serviceHosts = new WebSocketServiceHostManager (_logger);
@ -407,32 +563,17 @@ namespace WebSocketSharp.Server
_sync = new object (); _sync = new object ();
} }
private void processRequestAsync (TcpClient client)
{
WaitCallback callback = state =>
{
try {
acceptWebSocket (client.GetWebSocketContext (_secure, _cert));
}
catch (Exception ex)
{
_logger.Fatal (ex.ToString ());
client.Close ();
}
};
ThreadPool.QueueUserWorkItem (callback);
}
private void receiveRequest () private void receiveRequest ()
{ {
while (true) while (true) {
{
try { try {
processRequestAsync (_listener.AcceptTcpClient ()); acceptRequestAsync (_listener.AcceptTcpClient ());
} }
catch (SocketException ex) { catch (SocketException ex) {
_logger.Warn (String.Format ("Receiving has been stopped.\nreason: {0}.", ex.Message)); _logger.Warn (
String.Format (
"Receiving has been stopped.\nreason: {0}.", ex.Message));
break; break;
} }
catch (Exception ex) { catch (Exception ex) {
@ -445,7 +586,7 @@ namespace WebSocketSharp.Server
abort (); abort ();
} }
private void startReceiveRequestThread () private void startReceiving ()
{ {
_receiveRequestThread = new Thread (new ThreadStart (receiveRequest)); _receiveRequestThread = new Thread (new ThreadStart (receiveRequest));
_receiveRequestThread.IsBackground = true; _receiveRequestThread.IsBackground = true;
@ -463,8 +604,7 @@ namespace WebSocketSharp.Server
if (!uriString.TryCreateWebSocketUri (out result, out message)) if (!uriString.TryCreateWebSocketUri (out result, out message))
return false; return false;
if (result.PathAndQuery != "/") if (result.PathAndQuery != "/") {
{
result = null; result = null;
message = "Must not contain the path or query component: " + uriString; message = "Must not contain the path or query component: " + uriString;
@ -479,18 +619,21 @@ namespace WebSocketSharp.Server
#region Public Methods #region Public Methods
/// <summary> /// <summary>
/// Adds the specified typed WebSocket service with the specified <paramref name="servicePath"/>. /// Adds the specified typed WebSocket service with the specified
/// <paramref name="servicePath"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This method converts <paramref name="servicePath"/> to URL-decoded string and /// This method converts <paramref name="servicePath"/> to URL-decoded string
/// removes <c>'/'</c> from tail end of <paramref name="servicePath"/>. /// and removes <c>'/'</c> from tail end of <paramref name="servicePath"/>.
/// </remarks> /// </remarks>
/// <param name="servicePath"> /// <param name="servicePath">
/// A <see cref="string"/> that contains an absolute path to the WebSocket service. /// A <see cref="string"/> that contains an absolute path to the WebSocket
/// service.
/// </param> /// </param>
/// <typeparam name="TWithNew"> /// <typeparam name="TWithNew">
/// The type of the WebSocket service. The TWithNew must inherit the <see cref="WebSocketService"/> /// The type of the WebSocket service. The TWithNew must inherit the
/// class and must have a public parameterless constructor. /// <see cref="WebSocketService"/> class and must have a public parameterless
/// constructor.
/// </typeparam> /// </typeparam>
public void AddWebSocketService<TWithNew> (string servicePath) public void AddWebSocketService<TWithNew> (string servicePath)
where TWithNew : WebSocketService, new () where TWithNew : WebSocketService, new ()
@ -499,42 +642,50 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Adds the specified typed WebSocket service with the specified <paramref name="servicePath"/> and /// Adds the specified typed WebSocket service with the specified
/// <paramref name="serviceConstructor"/>. /// <paramref name="servicePath"/> and <paramref name="serviceConstructor"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// <para> /// <para>
/// This method converts <paramref name="servicePath"/> to URL-decoded string and /// This method converts <paramref name="servicePath"/> to URL-decoded
/// removes <c>'/'</c> from tail end of <paramref name="servicePath"/>. /// string and removes <c>'/'</c> from tail end of
/// <paramref name="servicePath"/>.
/// </para> /// </para>
/// <para> /// <para>
/// <paramref name="serviceConstructor"/> returns a initialized specified typed WebSocket service /// <paramref name="serviceConstructor"/> returns a initialized specified
/// instance. /// typed WebSocket service instance.
/// </para> /// </para>
/// </remarks> /// </remarks>
/// <param name="servicePath"> /// <param name="servicePath">
/// A <see cref="string"/> that contains an absolute path to the WebSocket service. /// A <see cref="string"/> that contains an absolute path to the WebSocket
/// service.
/// </param> /// </param>
/// <param name="serviceConstructor"> /// <param name="serviceConstructor">
/// A Func&lt;T&gt; delegate that references the method used to initialize a new WebSocket service /// A Func&lt;T&gt; delegate that references the method used to initialize
/// instance (a new WebSocket session). /// a new WebSocket service instance (a new WebSocket session).
/// </param> /// </param>
/// <typeparam name="T"> /// <typeparam name="T">
/// The type of the WebSocket service. The T must inherit the <see cref="WebSocketService"/> class. /// The type of the WebSocket service. The T must inherit the
/// <see cref="WebSocketService"/> class.
/// </typeparam> /// </typeparam>
public void AddWebSocketService<T> (string servicePath, Func<T> serviceConstructor) public void AddWebSocketService<T> (string servicePath, Func<T> serviceConstructor)
where T : WebSocketService where T : WebSocketService
{ {
var msg = servicePath.CheckIfValidServicePath () ?? var msg = servicePath.CheckIfValidServicePath () ??
(serviceConstructor == null ? "'serviceConstructor' must not be null." : null); (serviceConstructor == null
? "'serviceConstructor' must not be null."
: null);
if (msg != null) {
_logger.Error (
String.Format ("{0}\nservice path: {1}", msg, servicePath ?? ""));
if (msg != null)
{
_logger.Error (String.Format ("{0}\nservice path: {1}", msg, servicePath ?? ""));
return; return;
} }
var host = new WebSocketServiceHost<T> (servicePath, serviceConstructor, _logger); var host = new WebSocketServiceHost<T> (
servicePath, serviceConstructor, _logger);
if (!KeepClean) if (!KeepClean)
host.KeepClean = false; host.KeepClean = false;
@ -542,24 +693,28 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Removes the WebSocket service with the specified <paramref name="servicePath"/>. /// Removes the WebSocket service with the specified
/// <paramref name="servicePath"/>.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This method converts <paramref name="servicePath"/> to URL-decoded string and /// This method converts <paramref name="servicePath"/> to URL-decoded string
/// removes <c>'/'</c> from tail end of <paramref name="servicePath"/>. /// and removes <c>'/'</c> from tail end of <paramref name="servicePath"/>.
/// </remarks> /// </remarks>
/// <returns> /// <returns>
/// <c>true</c> if the WebSocket service is successfully found and removed; otherwise, <c>false</c>. /// <c>true</c> if the WebSocket service is successfully found and removed;
/// otherwise, <c>false</c>.
/// </returns> /// </returns>
/// <param name="servicePath"> /// <param name="servicePath">
/// A <see cref="string"/> that contains an absolute path to the WebSocket service to find. /// A <see cref="string"/> that contains an absolute path to the WebSocket
/// service to find.
/// </param> /// </param>
public bool RemoveWebSocketService (string servicePath) public bool RemoveWebSocketService (string servicePath)
{ {
var msg = servicePath.CheckIfValidServicePath (); var msg = servicePath.CheckIfValidServicePath ();
if (msg != null) if (msg != null) {
{ _logger.Error (
_logger.Error (String.Format ("{0}\nservice path: {1}", msg, servicePath ?? "")); String.Format ("{0}\nservice path: {1}", msg, servicePath));
return false; return false;
} }
@ -567,22 +722,23 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Starts to receive the WebSocket connection requests. /// Starts receiving the WebSocket connection requests.
/// </summary> /// </summary>
public void Start () public void Start ()
{ {
lock (_sync) lock (_sync) {
{
var msg = _state.CheckIfStopped () ?? checkIfCertExists (); var msg = _state.CheckIfStopped () ?? checkIfCertExists ();
if (msg != null) if (msg != null) {
{ _logger.Error (
_logger.Error (String.Format ("{0}\nstate: {1}\nsecure: {2}", msg, _state, _secure)); String.Format (
"{0}\nstate: {1}\nsecure: {2}", msg, _state, _secure));
return; return;
} }
_serviceHosts.Start (); _serviceHosts.Start ();
_listener.Start (); _listener.Start ();
startReceiveRequestThread (); startReceiving ();
_state = ServerState.START; _state = ServerState.START;
} }
@ -593,11 +749,9 @@ namespace WebSocketSharp.Server
/// </summary> /// </summary>
public void Stop () public void Stop ()
{ {
lock (_sync) lock (_sync) {
{
var msg = _state.CheckIfStarted (); var msg = _state.CheckIfStarted ();
if (msg != null) if (msg != null) {
{
_logger.Error (String.Format ("{0}\nstate: {1}", msg, _state)); _logger.Error (String.Format ("{0}\nstate: {1}", msg, _state));
return; return;
} }
@ -606,17 +760,18 @@ namespace WebSocketSharp.Server
} }
stopListener (5000); stopListener (5000);
_serviceHosts.Stop (new byte []{}, true); _serviceHosts.Stop (new byte [0], true);
_state = ServerState.STOP; _state = ServerState.STOP;
} }
/// <summary> /// <summary>
/// Stops receiving the WebSocket connection requests with the specified <see cref="ushort"/> and /// Stops receiving the WebSocket connection requests with the specified
/// <see cref="string"/>. /// <see cref="ushort"/> and <see cref="string"/>.
/// </summary> /// </summary>
/// <param name="code"> /// <param name="code">
/// A <see cref="ushort"/> that contains a status code indicating the reason for stop. /// A <see cref="ushort"/> that contains a status code indicating the reason
/// for stop.
/// </param> /// </param>
/// <param name="reason"> /// <param name="reason">
/// A <see cref="string"/> that contains the reason for stop. /// A <see cref="string"/> that contains the reason for stop.
@ -624,15 +779,14 @@ namespace WebSocketSharp.Server
public void Stop (ushort code, string reason) public void Stop (ushort code, string reason)
{ {
byte [] data = null; byte [] data = null;
lock (_sync) lock (_sync) {
{
var msg = _state.CheckIfStarted () ?? var msg = _state.CheckIfStarted () ??
code.CheckIfValidCloseStatusCode () ?? code.CheckIfValidCloseStatusCode () ??
(data = code.Append (reason)).CheckIfValidCloseData (); (data = code.Append (reason)).CheckIfValidCloseData ();
if (msg != null) if (msg != null) {
{ _logger.Error (
_logger.Error (String.Format ( String.Format (
"{0}\nstate: {1}\ncode: {2}\nreason: {3}", msg, _state, code, reason)); "{0}\nstate: {1}\ncode: {2}\nreason: {3}", msg, _state, code, reason));
return; return;
@ -648,12 +802,12 @@ namespace WebSocketSharp.Server
} }
/// <summary> /// <summary>
/// Stops receiving the WebSocket connection requests with the specified <see cref="CloseStatusCode"/> /// Stops receiving the WebSocket connection requests with the specified
/// and <see cref="string"/>. /// <see cref="CloseStatusCode"/> and <see cref="string"/>.
/// </summary> /// </summary>
/// <param name="code"> /// <param name="code">
/// One of the <see cref="CloseStatusCode"/> values that represent the status codes indicating /// One of the <see cref="CloseStatusCode"/> values that represent the status
/// the reasons for stop. /// codes indicating the reasons for stop.
/// </param> /// </param>
/// <param name="reason"> /// <param name="reason">
/// A <see cref="string"/> that contains the reason for stop. /// A <see cref="string"/> that contains the reason for stop.
@ -661,14 +815,14 @@ namespace WebSocketSharp.Server
public void Stop (CloseStatusCode code, string reason) public void Stop (CloseStatusCode code, string reason)
{ {
byte [] data = null; byte [] data = null;
lock (_sync) lock (_sync) {
{
var msg = _state.CheckIfStarted () ?? var msg = _state.CheckIfStarted () ??
(data = ((ushort) code).Append (reason)).CheckIfValidCloseData (); (data = ((ushort) code).Append (reason)).CheckIfValidCloseData ();
if (msg != null) if (msg != null) {
{ _logger.Error (
_logger.Error (String.Format ("{0}\nstate: {1}\nreason: {2}", msg, _state, reason)); String.Format ("{0}\nstate: {1}\nreason: {2}", msg, _state, reason));
return; return;
} }

View File

@ -3,12 +3,14 @@
* WebSocket.cs * WebSocket.cs
* *
* A C# implementation of the WebSocket interface. * A C# implementation of the WebSocket interface.
* This code derived from WebSocket.java (http://github.com/adamac/Java-WebSocket-client). *
* This code is derived from WebSocket.java
* (http://github.com/adamac/Java-WebSocket-client).
* *
* The MIT License * The MIT License
* *
* Copyright (c) 2009 Adam MacBeth * Copyright (c) 2009 Adam MacBeth
* Copyright (c) 2010-2013 sta.blockhead * Copyright (c) 2010-2014 sta.blockhead
* *
* Permission is hereby granted, free of charge, to any person obtaining a copy * Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal * of this software and associated documentation files (the "Software"), to deal
@ -51,8 +53,9 @@ namespace WebSocketSharp
/// Implements the WebSocket interface. /// Implements the WebSocket interface.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The WebSocket class provides a set of methods and properties for two-way communication /// The WebSocket class provides a set of methods and properties for two-way
/// using the WebSocket protocol (<see href="http://tools.ietf.org/html/rfc6455">RFC 6455</see>). /// communication using the WebSocket protocol
/// (<see href="http://tools.ietf.org/html/rfc6455">RFC 6455</see>).
/// </remarks> /// </remarks>
public class WebSocket : IDisposable public class WebSocket : IDisposable
{ {
@ -65,6 +68,7 @@ namespace WebSocketSharp
#region Private Fields #region Private Fields
private AuthenticationChallenge _authChallenge;
private string _base64key; private string _base64key;
private RemoteCertificateValidationCallback private RemoteCertificateValidationCallback
_certValidationCallback; _certValidationCallback;
@ -75,12 +79,13 @@ namespace WebSocketSharp
private CookieCollection _cookies; private CookieCollection _cookies;
private Func<CookieCollection, CookieCollection, bool> private Func<CookieCollection, CookieCollection, bool>
_cookiesValidation; _cookiesValidation;
private WsCredential _credentials; private NetworkCredential _credentials;
private string _extensions; private string _extensions;
private AutoResetEvent _exitReceiving; private AutoResetEvent _exitReceiving;
private object _forClose; private object _forClose;
private object _forSend; private object _forSend;
private volatile Logger _logger; private volatile Logger _logger;
private uint _nonceCount;
private string _origin; private string _origin;
private bool _preAuth; private bool _preAuth;
private string _protocol; private string _protocol;
@ -109,8 +114,6 @@ namespace WebSocketSharp
_extensions = String.Empty; _extensions = String.Empty;
_forClose = new object (); _forClose = new object ();
_forSend = new object (); _forSend = new object ();
_origin = String.Empty;
_preAuth = false;
_protocol = String.Empty; _protocol = String.Empty;
_readyState = WebSocketState.CONNECTING; _readyState = WebSocketState.CONNECTING;
} }
@ -119,20 +122,20 @@ namespace WebSocketSharp
#region Internal Constructors #region Internal Constructors
internal WebSocket (HttpListenerWebSocketContext context) internal WebSocket (HttpListenerWebSocketContext context, Logger logger)
: this () : this ()
{ {
_stream = context.Stream; _stream = context.Stream;
_closeContext = () => context.Close (); _closeContext = context.Close;
init (context); init (context, logger);
} }
internal WebSocket (TcpListenerWebSocketContext context) internal WebSocket (TcpListenerWebSocketContext context, Logger logger)
: this () : this ()
{ {
_stream = context.Stream; _stream = context.Stream;
_closeContext = () => context.Close (); _closeContext = context.Close;
init (context); init (context, logger);
} }
#endregion #endregion
@ -140,14 +143,15 @@ namespace WebSocketSharp
#region Public Constructors #region Public Constructors
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="WebSocket"/> class with the specified WebSocket URL /// Initializes a new instance of the <see cref="WebSocket"/> class with the
/// and subprotocols. /// specified WebSocket URL and subprotocols.
/// </summary> /// </summary>
/// <param name="url"> /// <param name="url">
/// A <see cref="string"/> that contains a WebSocket URL to connect. /// A <see cref="string"/> that contains a WebSocket URL to connect.
/// </param> /// </param>
/// <param name="protocols"> /// <param name="protocols">
/// An array of <see cref="string"/> that contains the WebSocket subprotocols if any. /// An array of <see cref="string"/> that contains the WebSocket subprotocols
/// if any.
/// </param> /// </param>
/// <exception cref="ArgumentNullException"> /// <exception cref="ArgumentNullException">
/// <paramref name="url"/> is <see langword="null"/>. /// <paramref name="url"/> is <see langword="null"/>.
@ -173,12 +177,13 @@ namespace WebSocketSharp
} }
/// <summary> /// <summary>
/// Initializes a new instance of the <see cref="WebSocket"/> class with the specified WebSocket URL, /// Initializes a new instance of the <see cref="WebSocket"/> class with the
/// OnOpen, OnMessage, OnError, OnClose event handlers and subprotocols. /// specified WebSocket URL, OnOpen, OnMessage, OnError, OnClose event
/// handlers and subprotocols.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// This constructor initializes a new instance of the <see cref="WebSocket"/> class and /// This constructor initializes a new instance of the <see cref="WebSocket"/>
/// establishes a WebSocket connection. /// class and establishes a WebSocket connection.
/// </remarks> /// </remarks>
/// <param name="url"> /// <param name="url">
/// A <see cref="string"/> that contains a WebSocket URL to connect. /// A <see cref="string"/> that contains a WebSocket URL to connect.
@ -196,7 +201,8 @@ namespace WebSocketSharp
/// An <see cref="OnClose"/> event handler. /// An <see cref="OnClose"/> event handler.
/// </param> /// </param>
/// <param name="protocols"> /// <param name="protocols">
/// An array of <see cref="string"/> that contains the WebSocket subprotocols if any. /// An array of <see cref="string"/> that contains the WebSocket subprotocols
/// if any.
/// </param> /// </param>
/// <exception cref="ArgumentNullException"> /// <exception cref="ArgumentNullException">
/// <paramref name="url"/> is <see langword="null"/>. /// <paramref name="url"/> is <see langword="null"/>.
@ -237,7 +243,8 @@ namespace WebSocketSharp
internal bool IsOpened { internal bool IsOpened {
get { get {
return _readyState == WebSocketState.OPEN || _readyState == WebSocketState.CLOSING; return _readyState == WebSocketState.OPEN ||
_readyState == WebSocketState.CLOSING;
} }
} }
@ -246,11 +253,13 @@ namespace WebSocketSharp
#region Public Properties #region Public Properties
/// <summary> /// <summary>
/// Gets or sets the compression method used to compress the payload data of the WebSocket Data frame. /// Gets or sets the compression method used to compress the payload data of
/// the WebSocket Data frame.
/// </summary> /// </summary>
/// <value> /// <value>
/// One of the <see cref="CompressionMethod"/> values that indicates the compression method to use. /// One of the <see cref="CompressionMethod"/> values that represents the
/// The default is <see cref="CompressionMethod.NONE"/>. /// compression method to use.
/// The default value is <see cref="CompressionMethod.NONE"/>.
/// </value> /// </value>
public CompressionMethod Compression { public CompressionMethod Compression {
get { get {
@ -258,9 +267,13 @@ namespace WebSocketSharp
} }
set { set {
if (IsOpened) var msg = !_client
{ ? "Set operation of Compression isn't available as a server."
var msg = "A WebSocket connection has already been established."; : IsOpened
? "A WebSocket connection has already been established."
: null;
if (msg != null) {
_logger.Error (msg); _logger.Error (msg);
error (msg); error (msg);
@ -272,16 +285,15 @@ namespace WebSocketSharp
} }
/// <summary> /// <summary>
/// Gets the cookies used in the WebSocket opening handshake. /// Gets the cookies used in the WebSocket connection request.
/// </summary> /// </summary>
/// <value> /// <value>
/// An IEnumerable&lt;Cookie&gt; interface that provides an enumerator which supports the iteration /// An IEnumerable&lt;Cookie&gt; interface that provides an enumerator which
/// over the collection of cookies. /// supports the iteration over the collection of cookies.
/// </value> /// </value>
public IEnumerable<Cookie> Cookies { public IEnumerable<Cookie> Cookies {
get { get {
lock (_cookies.SyncRoot) lock (_cookies.SyncRoot) {
{
return from Cookie cookie in _cookies return from Cookie cookie in _cookies
select cookie; select cookie;
} }
@ -292,9 +304,10 @@ namespace WebSocketSharp
/// Gets the credentials for HTTP authentication (Basic/Digest). /// Gets the credentials for HTTP authentication (Basic/Digest).
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="WsCredential"/> that contains the credentials for HTTP authentication. /// A <see cref="NetworkCredential"/> that represents the credentials for
/// HTTP authentication. The default value is <see langword="null"/>.
/// </value> /// </value>
public WsCredential Credentials { public NetworkCredential Credentials {
get { get {
return _credentials; return _credentials;
} }
@ -304,7 +317,8 @@ namespace WebSocketSharp
/// Gets the WebSocket extensions selected by the server. /// Gets the WebSocket extensions selected by the server.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the extensions if any. The default is <see cref="String.Empty"/>. /// A <see cref="string"/> that represents the WebSocket extensions if any.
/// The default value is <see cref="String.Empty"/>.
/// </value> /// </value>
public string Extensions { public string Extensions {
get { get {
@ -340,9 +354,9 @@ namespace WebSocketSharp
/// Gets the logging functions. /// Gets the logging functions.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// The default logging level is the <see cref="LogLevel.ERROR"/>. /// The default logging level is the <see cref="LogLevel.ERROR"/>. If you
/// If you want to change the current logging level, you set the <c>Log.Level</c> property /// change the current logging level, you set the <c>Log.Level</c> property
/// to one of the <see cref="LogLevel"/> values which you want. /// to any of the <see cref="LogLevel"/> values.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="Logger"/> that provides the logging functions. /// A <see cref="Logger"/> that provides the logging functions.
@ -361,19 +375,22 @@ namespace WebSocketSharp
} }
/// <summary> /// <summary>
/// Gets or sets the value of the Origin header used in the WebSocket opening handshake. /// Gets or sets the value of the Origin header used in the WebSocket
/// connection request.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// A <see cref="WebSocket"/> instance does not send the Origin header in the WebSocket opening handshake /// The <see cref="WebSocket"/> sends the Origin header if this property has
/// if the value of this property is <see cref="String.Empty"/>. /// any.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// <para> /// <para>
/// A <see cref="string"/> that contains the value of the <see href="http://tools.ietf.org/html/rfc6454#section-7">HTTP Origin header</see> to send. /// A <see cref="string"/> that represents the value of the
/// The default is <see cref="String.Empty"/>. /// <see href="http://tools.ietf.org/html/rfc6454#section-7">HTTP Origin
/// header</see> to send. The default value is <see langword="null"/>.
/// </para> /// </para>
/// <para> /// <para>
/// The value of the Origin header has the following syntax: <c>&lt;scheme&gt;://&lt;host&gt;[:&lt;port&gt;]</c> /// The Origin header has the following syntax:
/// <c>&lt;scheme&gt;://&lt;host&gt;[:&lt;port&gt;]</c>
/// </para> /// </para>
/// </value> /// </value>
public string Origin { public string Origin {
@ -383,24 +400,22 @@ namespace WebSocketSharp
set { set {
string msg = null; string msg = null;
if (IsOpened) if (!_client)
{ msg = "Set operation of Origin isn't available as a server.";
else if (IsOpened)
msg = "A WebSocket connection has already been established."; msg = "A WebSocket connection has already been established.";
} else if (value.IsNullOrEmpty ()) {
else if (value.IsNullOrEmpty ()) _origin = value;
{
_origin = String.Empty;
return; return;
} }
else else {
{ Uri origin;
var origin = new Uri (value); if (!Uri.TryCreate (value, UriKind.Absolute, out origin) ||
if (!origin.IsAbsoluteUri || origin.Segments.Length > 1) origin.Segments.Length > 1)
msg = "The syntax of value of Origin must be '<scheme>://<host>[:<port>]'."; msg = "The syntax of Origin must be '<scheme>://<host>[:<port>]'.";
} }
if (msg != null) if (msg != null) {
{
_logger.Error (msg); _logger.Error (msg);
error (msg); error (msg);
@ -415,7 +430,8 @@ namespace WebSocketSharp
/// Gets the WebSocket subprotocol selected by the server. /// Gets the WebSocket subprotocol selected by the server.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="string"/> that contains the subprotocol if any. The default is <see cref="String.Empty"/>. /// A <see cref="string"/> that represents the subprotocol if any.
/// The default value is <see cref="String.Empty"/>.
/// </value> /// </value>
public string Protocol { public string Protocol {
get { get {
@ -437,15 +453,17 @@ namespace WebSocketSharp
} }
/// <summary> /// <summary>
/// Gets or sets the callback used to validate the certificate supplied by the server. /// Gets or sets the callback used to validate the certificate supplied by
/// the server.
/// </summary> /// </summary>
/// <remarks> /// <remarks>
/// If the value of this property is <see langword="null"/>, the validation does nothing /// If the value of this property is <see langword="null"/>, the validation
/// with the server certificate, always returns valid. /// does nothing with the server certificate, always returns valid.
/// </remarks> /// </remarks>
/// <value> /// <value>
/// A <see cref="RemoteCertificateValidationCallback"/> delegate that references the method(s) /// A <see cref="RemoteCertificateValidationCallback"/> delegate that
/// used to validate the server certificate. The default is <see langword="null"/>. /// references the method(s) used to validate the server certificate.
/// The default value is <see langword="null"/>.
/// </value> /// </value>
public RemoteCertificateValidationCallback ServerCertificateValidationCallback { public RemoteCertificateValidationCallback ServerCertificateValidationCallback {
get { get {
@ -453,6 +471,19 @@ namespace WebSocketSharp
} }
set { set {
var msg = !_client
? "Set operation of ServerCertificateValidationCallback isn't available as a server."
: IsOpened
? "A WebSocket connection has already been established."
: null;
if (msg != null) {
_logger.Error (msg);
error (msg);
return;
}
_certValidationCallback = value; _certValidationCallback = value;
} }
} }
@ -461,7 +492,7 @@ namespace WebSocketSharp
/// Gets the WebSocket URL to connect. /// Gets the WebSocket URL to connect.
/// </summary> /// </summary>
/// <value> /// <value>
/// A <see cref="Uri"/> that contains the WebSocket URL to connect. /// A <see cref="Uri"/> that represents the WebSocket URL to connect.
/// </value> /// </value>
public Uri Url { public Uri Url {
get { get {
@ -469,7 +500,6 @@ namespace WebSocketSharp
} }
internal set { internal set {
if (_readyState == WebSocketState.CONNECTING && !_client)
_uri = value; _uri = value;
} }
} }
@ -684,6 +714,18 @@ namespace WebSocketSharp
return Convert.ToBase64String (src); return Convert.ToBase64String (src);
} }
// As client
private string createExtensionsRequest ()
{
var extensions = new StringBuilder (64);
if (_compression != CompressionMethod.NONE)
extensions.Append (_compression.ToCompressionExtension ());
return extensions.Length > 0
? extensions.ToString ()
: String.Empty;
}
// As client // As client
private HandshakeRequest createHandshakeRequest () private HandshakeRequest createHandshakeRequest ()
{ {
@ -693,24 +735,35 @@ namespace WebSocketSharp
: _uri.Authority; : _uri.Authority;
var req = new HandshakeRequest (path); var req = new HandshakeRequest (path);
req.AddHeader ("Host", host); var headers = req.Headers;
if (_origin.Length > 0) headers ["Host"] = host;
req.AddHeader ("Origin", _origin);
req.AddHeader ("Sec-WebSocket-Key", _base64key); if (!_origin.IsNullOrEmpty ())
headers ["Origin"] = _origin;
headers ["Sec-WebSocket-Key"] = _base64key;
if (!_protocols.IsNullOrEmpty ()) if (!_protocols.IsNullOrEmpty ())
req.AddHeader ("Sec-WebSocket-Protocol", _protocols); headers ["Sec-WebSocket-Protocol"] = _protocols;
var extensions = createRequestExtensions (); var extensions = createExtensionsRequest ();
if (extensions.Length > 0) if (extensions.Length > 0)
req.AddHeader ("Sec-WebSocket-Extensions", extensions); headers ["Sec-WebSocket-Extensions"] = extensions;
req.AddHeader ("Sec-WebSocket-Version", _version); headers ["Sec-WebSocket-Version"] = _version;
if (_preAuth && _credentials != null) AuthenticationResponse authRes = null;
req.SetAuthorization (new AuthenticationResponse (_credentials)); if (_authChallenge != null && _credentials != null) {
authRes = new AuthenticationResponse (
_authChallenge, _credentials, _nonceCount);
_nonceCount = authRes.NonceCount;
}
else if (_preAuth)
authRes = new AuthenticationResponse (_credentials);
if (authRes != null)
headers ["Authorization"] = authRes.ToString ();
if (_cookies.Count > 0) if (_cookies.Count > 0)
req.SetCookies (_cookies); req.SetCookies (_cookies);
@ -721,14 +774,16 @@ namespace WebSocketSharp
// As server // As server
private HandshakeResponse createHandshakeResponse () private HandshakeResponse createHandshakeResponse ()
{ {
var res = new HandshakeResponse (); var res = new HandshakeResponse (HttpStatusCode.SwitchingProtocols);
res.AddHeader ("Sec-WebSocket-Accept", createResponseKey ()); var headers = res.Headers;
headers ["Sec-WebSocket-Accept"] = createResponseKey ();
if (_protocol.Length > 0) if (_protocol.Length > 0)
res.AddHeader ("Sec-WebSocket-Protocol", _protocol); headers ["Sec-WebSocket-Protocol"] = _protocol;
if (_extensions.Length > 0) if (_extensions.Length > 0)
res.AddHeader ("Sec-WebSocket-Extensions", _extensions); headers ["Sec-WebSocket-Extensions"] = _extensions;
if (_cookies.Count > 0) if (_cookies.Count > 0)
res.SetCookies (_cookies); res.SetCookies (_cookies);
@ -740,23 +795,11 @@ namespace WebSocketSharp
private HandshakeResponse createHandshakeResponse (HttpStatusCode code) private HandshakeResponse createHandshakeResponse (HttpStatusCode code)
{ {
var res = HandshakeResponse.CreateCloseResponse (code); var res = HandshakeResponse.CreateCloseResponse (code);
res.AddHeader ("Sec-WebSocket-Version", _version); res.Headers ["Sec-WebSocket-Version"] = _version;
return res; return res;
} }
// As client
private string createRequestExtensions ()
{
var extensions = new StringBuilder (64);
if (_compression != CompressionMethod.NONE)
extensions.Append (_compression.ToCompressionExtension ());
return extensions.Length > 0
? extensions.ToString ()
: String.Empty;
}
private string createResponseKey () private string createResponseKey ()
{ {
var buffer = new StringBuilder (_base64key, 64); var buffer = new StringBuilder (_base64key, 64);
@ -808,12 +851,12 @@ namespace WebSocketSharp
} }
// As server // As server
private void init (WebSocketContext context) private void init (WebSocketContext context, Logger logger)
{ {
_context = context; _context = context;
_uri = context.Path.ToUri (); _logger = logger;
_uri = context.RequestUri;
_secure = context.IsSecureConnection; _secure = context.IsSecureConnection;
_client = false;
} }
private void open () private void open ()
@ -1168,7 +1211,7 @@ namespace WebSocketSharp
int readLen = 0; int readLen = 0;
byte [] buffer = null; byte [] buffer = null;
// Not fragmented // Not fragment
if (quo == 0) if (quo == 0)
{ {
buffer = new byte [rem]; buffer = new byte [rem];
@ -1219,12 +1262,22 @@ namespace WebSocketSharp
{ {
var req = createHandshakeRequest (); var req = createHandshakeRequest ();
var res = sendHandshakeRequest (req); var res = sendHandshakeRequest (req);
if (!_preAuth && res.IsUnauthorized && _credentials != null) if (res.IsUnauthorized) {
{ _authChallenge = res.AuthChallenge;
var challenge = res.AuthChallenge; if (_credentials != null &&
req.SetAuthorization (new AuthenticationResponse (_credentials, challenge)); (!_preAuth || _authChallenge.Scheme == "digest")) {
if (res.Headers.Contains ("Connection", "close")) {
closeClientResources ();
setClientStream ();
}
var authRes = new AuthenticationResponse (
_authChallenge, _credentials, _nonceCount);
_nonceCount = authRes.NonceCount;
req.Headers ["Authorization"] = authRes.ToString ();
res = sendHandshakeRequest (req); res = sendHandshakeRequest (req);
} }
}
return res; return res;
} }
@ -1316,16 +1369,22 @@ namespace WebSocketSharp
#region Internal Methods #region Internal Methods
// As server // As server
internal void Close (HttpStatusCode code) internal void Close (HandshakeResponse response)
{ {
_readyState = WebSocketState.CLOSING; _readyState = WebSocketState.CLOSING;
send (createHandshakeResponse (code)); send (response);
closeServerResources (); closeServerResources ();
_readyState = WebSocketState.CLOSED; _readyState = WebSocketState.CLOSED;
} }
// As server
internal void Close (HttpStatusCode code)
{
Close (createHandshakeResponse (code));
}
// As server // As server
internal void Close (CloseEventArgs args, byte [] frameAsBytes, int waitTimeOut) internal void Close (CloseEventArgs args, byte [] frameAsBytes, int waitTimeOut)
{ {
@ -1824,78 +1883,79 @@ namespace WebSocketSharp
} }
/// <summary> /// <summary>
/// Sets a <see cref="Cookie"/> used in the WebSocket opening handshake. /// Sets a <see cref="Cookie"/> used in the WebSocket connection request.
/// </summary> /// </summary>
/// <param name="cookie"> /// <param name="cookie">
/// A <see cref="Cookie"/> that contains an HTTP Cookie to set. /// A <see cref="Cookie"/> that represents an HTTP Cookie to set.
/// </param> /// </param>
public void SetCookie (Cookie cookie) public void SetCookie (Cookie cookie)
{ {
var msg = IsOpened var msg = !_client
? "SetCookie isn't available as a server."
: IsOpened
? "A WebSocket connection has already been established." ? "A WebSocket connection has already been established."
: cookie == null : cookie == null
? "'cookie' must not be null." ? "'cookie' must not be null."
: null; : null;
if (msg != null) if (msg != null) {
{
_logger.Error (msg); _logger.Error (msg);
error (msg); error (msg);
return; return;
} }
lock (_cookies.SyncRoot) lock (_cookies.SyncRoot) {
{
_cookies.SetOrRemove (cookie); _cookies.SetOrRemove (cookie);
} }
} }
/// <summary> /// <summary>
/// Sets the credentials for HTTP authentication (Basic/Digest). /// Sets a pair of the <paramref name="username"/> and
/// <paramref name="password"/> for HTTP authentication (Basic/Digest).
/// </summary> /// </summary>
/// <param name="userName"> /// <param name="username">
/// A <see cref="string"/> that contains a user name associated with the credentials. /// A <see cref="string"/> that represents the user name used to authenticate.
/// </param> /// </param>
/// <param name="password"> /// <param name="password">
/// A <see cref="string"/> that contains a password for <paramref name="userName"/> associated with the credentials. /// A <see cref="string"/> that represents the password for
/// <paramref name="username"/> used to authenticate.
/// </param> /// </param>
/// <param name="preAuth"> /// <param name="preAuth">
/// <c>true</c> if sends the credentials as a Basic authorization with the first request handshake; /// <c>true</c> if the <see cref="WebSocket"/> sends a Basic authentication
/// otherwise, <c>false</c>. /// credentials with the first connection request; otherwise, <c>false</c>.
/// </param> /// </param>
public void SetCredentials (string userName, string password, bool preAuth) public void SetCredentials (string username, string password, bool preAuth)
{ {
string msg = null; string msg = null;
if (IsOpened) if (!_client)
{ msg = "SetCredentials isn't available as a server.";
else if (IsOpened)
msg = "A WebSocket connection has already been established."; msg = "A WebSocket connection has already been established.";
} else if (username.IsNullOrEmpty ()) {
else if (userName == null)
{
_credentials = null; _credentials = null;
_preAuth = false; _preAuth = false;
_logger.Warn ("Credentials was set back to the default.");
return; return;
} }
else else {
{ msg = username.Contains (':') || !username.IsText ()
msg = userName.Length > 0 && (userName.Contains (':') || !userName.IsText ()) ? "'username' contains an invalid character."
? "'userName' contains an invalid character."
: !password.IsNullOrEmpty () && !password.IsText () : !password.IsNullOrEmpty () && !password.IsText ()
? "'password' contains an invalid character." ? "'password' contains an invalid character."
: null; : null;
} }
if (msg != null) if (msg != null) {
{
_logger.Error (msg); _logger.Error (msg);
error (msg); error (msg);
return; return;
} }
_credentials = new WsCredential (userName, password, _uri.PathAndQuery); _credentials = new NetworkCredential (
username, password, _uri.PathAndQuery);
_preAuth = preAuth; _preAuth = preAuth;
} }

View File

@ -1,119 +0,0 @@
#region License
/*
* WsCredential.cs
*
* The MIT License
*
* Copyright (c) 2013 sta.blockhead
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#endregion
using System;
namespace WebSocketSharp {
/// <summary>
/// Provides the credentials for HTTP authentication (Basic/Digest).
/// </summary>
public class WsCredential {
#region Private Fields
string _domain;
string _password;
string _userName;
#endregion
#region Internal Constructors
internal WsCredential()
{
}
internal WsCredential(string userName, string password)
: this(userName, password, null)
{
}
internal WsCredential(string userName, string password, string domain)
{
_userName = userName;
_password = password;
_domain = domain;
}
#endregion
#region Public Properties
/// <summary>
/// Gets the name of the user domain associated with the credentials.
/// </summary>
/// <value>
/// A <see cref="string"/> that contains the name of the user domain associated with the credentials.
/// Currently, returns the request uri of a WebSocket opening handshake.
/// </value>
public string Domain {
get {
return _domain ?? String.Empty;
}
internal set {
_domain = value;
}
}
/// <summary>
/// Gets the password for the user name associated with the credentials.
/// </summary>
/// <value>
/// A <see cref="string"/> that contains the password for the user name associated with the credentials.
/// </value>
public string Password {
get {
return _password ?? String.Empty;
}
internal set {
_password = value;
}
}
/// <summary>
/// Gets the user name associated with the credentials.
/// </summary>
/// <value>
/// A <see cref="string"/> that contains the user name associated with the credentials.
/// </value>
public string UserName {
get {
return _userName ?? String.Empty;
}
internal set {
_userName = value;
}
}
#endregion
}
}

View File

@ -4,7 +4,7 @@
* *
* The MIT License * The MIT License
* *
* Copyright (c) 2010-2013 sta.blockhead * Copyright (c) 2010-2014 sta.blockhead
* *
* Permission is hereby granted, free of charge, to any person obtaining a copy * Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal * of this software and associated documentation files (the "Software"), to deal
@ -122,11 +122,11 @@ namespace WebSocketSharp
return new WsStream (netStream); return new WsStream (netStream);
} }
internal static WsStream CreateServerStream (TcpClient client, bool secure, X509Certificate cert) internal static WsStream CreateServerStream (
TcpClient client, X509Certificate cert, bool secure)
{ {
var netStream = client.GetStream (); var netStream = client.GetStream ();
if (secure) if (secure) {
{
var sslStream = new SslStream (netStream, false); var sslStream = new SslStream (netStream, false);
sslStream.AuthenticateAsServer (cert); sslStream.AuthenticateAsServer (cert);

View File

@ -116,7 +116,6 @@
<Compile Include="WebSocketException.cs" /> <Compile Include="WebSocketException.cs" />
<Compile Include="AuthenticationChallenge.cs" /> <Compile Include="AuthenticationChallenge.cs" />
<Compile Include="AuthenticationResponse.cs" /> <Compile Include="AuthenticationResponse.cs" />
<Compile Include="WsCredential.cs" />
<Compile Include="LogData.cs" /> <Compile Include="LogData.cs" />
<Compile Include="LogLevel.cs" /> <Compile Include="LogLevel.cs" />
<Compile Include="Logger.cs" /> <Compile Include="Logger.cs" />
@ -128,6 +127,9 @@
<Compile Include="Server\IWebSocketSession.cs" /> <Compile Include="Server\IWebSocketSession.cs" />
<Compile Include="Server\WebSocketSessionManager.cs" /> <Compile Include="Server\WebSocketSessionManager.cs" />
<Compile Include="Server\ServerState.cs" /> <Compile Include="Server\ServerState.cs" />
<Compile Include="Net\HttpBasicIdentity.cs" />
<Compile Include="Net\HttpDigestIdentity.cs" />
<Compile Include="Net\NetworkCredential.cs" />
</ItemGroup> </ItemGroup>
<Import Project="$(MSBuildBinPath)\Microsoft.CSharp.targets" /> <Import Project="$(MSBuildBinPath)\Microsoft.CSharp.targets" />
<ItemGroup> <ItemGroup>