本文整理汇总了C#中IConnection.Trace方法的典型用法代码示例。如果您正苦于以下问题:C# IConnection.Trace方法的具体用法?C# IConnection.Trace怎么用?C# IConnection.Trace使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类IConnection
的用法示例。
在下文中一共展示了IConnection.Trace方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的C#代码示例。
示例1: Abort
public virtual void Abort(IConnection connection, TimeSpan timeout, string connectionData)
{
if (connection == null)
{
throw new ArgumentNullException("connection");
}
// Save the connection.ConnectionToken since race issue that connection.ConnectionToken can be set to null in different thread
var connectionToken = connection.ConnectionToken;
if (connectionToken == null)
{
connection.Trace(TraceLevels.Messages, "Connection already disconnected, skipping abort.");
return;
}
// Abort should never complete before any of its previous calls
lock (_abortLock)
{
if (_disposed)
{
return;
}
// Ensure that an abort request is only made once
if (!_startedAbort)
{
_startedAbort = true;
var url = UrlBuilder.BuildAbort(connection, _transportName, connectionData);
_httpClient.Post(url, connection.PrepareRequest, isLongRunning: false)
.Catch((ex, state) =>
{
// If there's an error making an http request set the reset event
((TransportAbortHandler)state).CompleteAbort();
},
this,
connection);
if (!_abortResetEvent.WaitOne(timeout))
{
connection.Trace(TraceLevels.Events, "Abort never fired");
}
}
}
}
示例2: Abort
public void Abort(IConnection connection, TimeSpan timeout, string connectionData)
{
if (connection == null)
{
throw new ArgumentNullException("connection");
}
// Save the connection.ConnectionToken since race issue that connection.ConnectionToken can be set to null in different thread
var connectionToken = connection.ConnectionToken;
if (connectionToken == null)
{
connection.Trace(TraceLevels.Messages, "Connection already disconnected, skipping abort.");
return;
}
// Abort should never complete before any of its previous calls
lock (_abortLock)
{
if (_disposed)
{
return;
}
// Ensure that an abort request is only made once
if (!_startedAbort)
{
_startedAbort = true;
string url = connection.Url + "abort" + String.Format(CultureInfo.InvariantCulture,
_abortQueryString,
_transportName,
connection.Protocol,
connectionData,
Uri.EscapeDataString(connectionToken),
null);
url += TransportHelper.AppendCustomQueryString(connection, url);
_httpClient.Post(url, connection.PrepareRequest, isLongRunning: false).Catch((ex, state) =>
{
// If there's an error making an http request set the reset event
((TransportAbortHandler)state).CompleteAbort();
},
this);
if (!_abortResetEvent.WaitOne(timeout))
{
connection.Trace(TraceLevels.Events, "Abort never fired");
}
}
}
}
示例3: StartWebSocket
private async Task StartWebSocket(IConnection connection, string url)
{
var uri = UrlBuilder.ConvertToWebSocketUri(url);
connection.Trace(TraceLevels.Events, "WS Connecting to: {0}", uri);
if (_webSocket == null)
{
var webSocket = new MessageWebSocket();
webSocket.Control.MessageType = SocketMessageType.Utf8;
webSocket.Closed += WebsocketClosed;
webSocket.MessageReceived += MessageReceived;
connection.PrepareRequest(new WebSocketRequest(webSocket));
await OpenWebSocket(webSocket, uri);
_webSocket = webSocket;
}
}
示例4: VerifyLastActive
public static bool VerifyLastActive(IConnection connection)
{
if (connection == null)
{
throw new ArgumentNullException("connection");
}
// Ensure that we have not exceeded the reconnect window
if (DateTime.UtcNow - connection.LastActiveAt >= connection.ReconnectWindow)
{
connection.Trace(TraceLevels.Events, "There has not been an active server connection for an extended period of time. Stopping connection.");
connection.Stop(new TimeoutException(String.Format(CultureInfo.CurrentCulture, Resources.Error_ReconnectWindowTimeout,
connection.LastActiveAt, connection.ReconnectWindow)));
return false;
}
return true;
}
示例5: Send
public override Task Send(IConnection connection, string data, string connectionData)
{
if (connection == null)
{
throw new ArgumentNullException("connection");
}
string url = UrlBuilder.BuildSend(connection, Name, connectionData);
var postData = new Dictionary<string, string> { { "data", data } };
return HttpClient.Post(url, connection.PrepareRequest, postData, isLongRunning: false)
.Then(response => response.ReadAsString())
.Then(raw =>
{
if (!String.IsNullOrEmpty(raw))
{
connection.Trace(TraceLevels.Messages, "OnMessage({0})", raw);
connection.OnReceived(connection.JsonDeserializeObject<JObject>(raw));
}
})
.Catch(connection.OnError, connection);
}
示例6: Send
public Task Send(IConnection connection, string data, string connectionData)
{
if (connection == null)
{
throw new ArgumentNullException("connection");
}
string url = connection.Url + "send";
string customQueryString = String.IsNullOrEmpty(connection.QueryString) ? String.Empty : "&" + connection.QueryString;
url += String.Format(CultureInfo.InvariantCulture,
_sendQueryString,
_transport,
connectionData,
Uri.EscapeDataString(connection.ConnectionToken),
customQueryString);
var postData = new Dictionary<string, string> {
{ "data", data }
};
return _httpClient.Post(url, connection.PrepareRequest, postData, isLongRunning: false)
.Then(response => response.ReadAsString())
.Then(raw =>
{
if (!String.IsNullOrEmpty(raw))
{
connection.Trace(TraceLevels.Messages, "OnMessage({0})", raw);
connection.OnReceived(JObject.Parse(raw));
}
})
.Catch(connection.OnError);
}
示例7: OpenConnection
internal void OpenConnection(IConnection connection, string data, CancellationToken disconnectToken, bool reconnecting)
{
// If we're reconnecting add /connect to the url
var url = reconnecting
? UrlBuilder.BuildReconnect(connection, Name, data)
: UrlBuilder.BuildConnect(connection, Name, data);
connection.Trace(TraceLevels.Events, "SSE: GET {0}", url);
var getTask = HttpClient.Get(url, req =>
{
_request = req;
_request.Accept = "text/event-stream";
connection.PrepareRequest(_request);
}, isLongRunning: true);
var requestCancellationRegistration = disconnectToken.SafeRegister(state =>
{
_stop = true;
// This will no-op if the request is already finished.
((IRequest)state).Abort();
}, _request);
getTask.ContinueWith(task =>
{
if (task.IsFaulted || task.IsCanceled)
{
var exception = task.IsCanceled
? new OperationCanceledException(Resources.Error_TaskCancelledException)
: task.Exception.Unwrap();
if (!reconnecting)
{
TransportFailed(exception);
}
else if (!_stop)
{
// Only raise the error event if we failed to reconnect
connection.OnError(exception);
Reconnect(connection, data, disconnectToken);
}
requestCancellationRegistration.Dispose();
}
else
{
// If the disconnect token is canceled the response to the task doesn't matter.
if (disconnectToken.IsCancellationRequested)
{
return;
}
var response = task.Result;
Stream stream = response.GetStream();
var eventSource = new EventSourceStreamReader(connection, stream);
eventSource.Opened = () =>
{
// This will noop if we're not in the reconnecting state
if (connection.ChangeState(ConnectionState.Reconnecting, ConnectionState.Connected))
{
// Raise the reconnect event if the connection comes back up
connection.OnReconnected();
}
};
eventSource.Message = sseEvent =>
{
if (sseEvent.EventType == EventType.Data &&
!sseEvent.Data.Equals("initialized", StringComparison.OrdinalIgnoreCase))
{
ProcessResponse(connection, sseEvent.Data);
}
};
eventSource.Closed = exception =>
{
if (exception != null)
{
// Check if the request is aborted
if (!ExceptionHelper.IsRequestAborted(exception))
{
// Don't raise exceptions if the request was aborted (connection was stopped).
connection.OnError(exception);
}
}
requestCancellationRegistration.Dispose();
response.Dispose();
if (_stop)
{
AbortHandler.CompleteAbort();
}
else if (AbortHandler.TryCompleteAbort())
//.........这里部分代码省略.........
示例8: ResolveTransport
private void ResolveTransport(IConnection connection, string data, CancellationToken disconnectToken, TaskCompletionSource<object> tcs, int index)
{
// Pick the current transport
IClientTransport transport = _transports[index];
transport.Start(connection, data, disconnectToken).ContinueWith(task =>
{
if (task.IsFaulted || task.IsCanceled)
{
Exception ex;
if (task.IsCanceled)
{
ex = new OperationCanceledException(Resources.Error_TaskCancelledException);
}
else
{
ex = task.Exception.GetBaseException();
}
connection.Trace(TraceLevels.Events, "Auto: Failed to connect to using transport {0}. {1}", transport.Name, ex);
// If that transport fails to initialize, then fallback.
// If it is that /start request that failed, do not fallback.
var next = index + 1;
if (next < _transports.Count && !(ex is StartException))
{
// Try the next transport
ResolveTransport(connection, data, disconnectToken, tcs, next);
}
else
{
// If there's nothing else to try then just fail
tcs.SetException(ex);
}
}
else
{
// Set the active transport
_transport = transport;
// Complete the process
tcs.SetResult(null);
}
},
TaskContinuationOptions.ExecuteSynchronously);
}
示例9: OnMessage
private void OnMessage(IConnection connection, string message)
{
connection.Trace(TraceLevels.Messages, "LP: OnMessage({0})", message);
var shouldReconnect = ProcessResponse(connection, message);
if (IsReconnecting(connection))
{
// If the timeout for the reconnect hasn't fired as yet just fire the
// event here before any incoming messages are processed
TryReconnect(connection, _reconnectInvoker);
}
if (shouldReconnect)
{
// Transition into reconnecting state
connection.EnsureReconnecting();
}
}
示例10: ResolveUrl
private string ResolveUrl(IConnection connection, string connectionData)
{
string url;
if (connection.MessageId == null)
{
url = UrlBuilder.BuildConnect(connection, Name, connectionData);
connection.Trace(TraceLevels.Events, "LP Connect: {0}", url);
}
else if (IsReconnecting(connection))
{
url = UrlBuilder.BuildReconnect(connection, Name, connectionData);
connection.Trace(TraceLevels.Events, "LP Reconnect: {0}", url);
}
else
{
url = UrlBuilder.BuildPoll(connection, Name, connectionData);
connection.Trace(TraceLevels.Events, "LP Poll: {0}", url);
}
return url;
}
示例11: LostConnection
public override void LostConnection(IConnection connection)
{
if (connection == null)
{
throw new ArgumentNullException("connection");
}
connection.Trace(TraceLevels.Events, "WS: LostConnection");
DisposeSocket();
}
示例12: MessageReceived
internal void MessageReceived(IWebSocketResponse webSocketResponse, IConnection connection)
{
string response;
try
{
response = ReadMessage(webSocketResponse);
}
catch (Exception ex)
{
connection.OnError(ex);
var webSocket = _webSocket;
if (webSocket != null)
{
webSocket.Close(SuccessCloseStatus, ex.Message);
}
return;
}
connection.Trace(TraceLevels.Messages, "WS: OnMessage({0})", response);
ProcessResponse(connection, response);
}
示例13: Abort
public void Abort(IConnection connection, TimeSpan timeout)
{
if (connection == null)
{
throw new ArgumentNullException("connection");
}
// Abort should never complete before any of its previous calls
lock (_abortLock)
{
if (_disposed)
{
throw new ObjectDisposedException(GetType().Name);
}
// Ensure that an abort request is only made once
if (!_startedAbort)
{
_startedAbort = true;
string url = connection.Url + "abort" + String.Format(CultureInfo.InvariantCulture,
_sendQueryString,
_transport,
Uri.EscapeDataString(connection.ConnectionToken),
null);
url += TransportHelper.AppendCustomQueryString(connection, url);
_httpClient.Post(url, connection.PrepareRequest).Catch((ex, state) =>
{
// If there's an error making an http request set the reset event
((HttpBasedTransport)state).CompleteAbort();
},
this);
if (!_abortResetEvent.WaitOne(timeout))
{
connection.Trace(TraceLevels.Events, "Abort never fired");
}
}
}
}
示例14: OpenConnection
private void OpenConnection(IConnection connection,
string data,
CancellationToken disconnectToken,
Action initializeCallback,
Action<Exception> errorCallback)
{
// If we're reconnecting add /connect to the url
bool reconnecting = initializeCallback == null;
var callbackInvoker = new ThreadSafeInvoker();
var requestDisposer = new Disposer();
Action initializeInvoke = () =>
{
callbackInvoker.Invoke(initializeCallback);
};
var url = connection.Url + (reconnecting ? "reconnect" : "connect") + GetReceiveQueryString(connection, data);
connection.Trace(TraceLevels.Events, "SSE: GET {0}", url);
HttpClient.Get(url, req =>
{
_request = req;
_request.Accept = "text/event-stream";
connection.PrepareRequest(_request);
}, isLongRunning: true).ContinueWith(task =>
{
if (task.IsFaulted || task.IsCanceled)
{
Exception exception;
if (task.IsCanceled)
{
exception = new OperationCanceledException(Resources.Error_TaskCancelledException);
}
else
{
exception = task.Exception.Unwrap();
}
if (errorCallback != null)
{
callbackInvoker.Invoke((cb, ex) => cb(ex), errorCallback, exception);
}
else if (!_stop && reconnecting)
{
// Only raise the error event if we failed to reconnect
connection.OnError(exception);
Reconnect(connection, data, disconnectToken);
}
requestDisposer.Dispose();
}
else
{
// If the disconnect token is canceled the response to the task doesn't matter.
if (disconnectToken.IsCancellationRequested)
{
return;
}
var response = task.Result;
Stream stream = response.GetStream();
var eventSource = new EventSourceStreamReader(connection, stream);
var esCancellationRegistration = disconnectToken.SafeRegister(state =>
{
_stop = true;
((IRequest)state).Abort();
},
_request);
eventSource.Opened = () =>
{
// This will noop if we're not in the reconnecting state
if (connection.ChangeState(ConnectionState.Reconnecting, ConnectionState.Connected))
{
// Raise the reconnect event if the connection comes back up
connection.OnReconnected();
}
};
eventSource.Message = sseEvent =>
{
if (sseEvent.EventType == EventType.Data)
{
if (sseEvent.Data.Equals("initialized", StringComparison.OrdinalIgnoreCase))
{
return;
}
bool shouldReconnect;
bool disconnected;
TransportHelper.ProcessResponse(connection, sseEvent.Data, out shouldReconnect, out disconnected, initializeInvoke);
if (disconnected)
{
_stop = true;
//.........这里部分代码省略.........
示例15: PollingSetup
private void PollingSetup(IConnection connection,
string data,
CancellationToken disconnectToken,
PollingRequestHandler requestHandler,
Action onInitialized)
{
// reconnectInvoker is created new on each poll
var reconnectInvoker = new ThreadSafeInvoker();
var disconnectRegistration = disconnectToken.SafeRegister(state =>
{
reconnectInvoker.Invoke();
requestHandler.Stop();
}, null);
requestHandler.ResolveUrl = () =>
{
var url = connection.Url;
if (connection.MessageId == null)
{
url += "connect";
connection.Trace(TraceLevels.Events, "LP Connect: {0}", url);
}
else if (IsReconnecting(connection))
{
url += "reconnect";
connection.Trace(TraceLevels.Events, "LP Reconnect: {0}", url);
}
else
{
url += "poll";
connection.Trace(TraceLevels.Events, "LP Poll: {0}", url);
}
url += GetReceiveQueryString(connection, data);
return url;
};
requestHandler.PrepareRequest += req =>
{
connection.PrepareRequest(req);
};
requestHandler.OnMessage += message =>
{
var shouldReconnect = false;
var disconnectedReceived = false;
connection.Trace(TraceLevels.Messages, "LP: OnMessage({0})", message);
TransportHelper.ProcessResponse(connection,
message,
out shouldReconnect,
out disconnectedReceived,
onInitialized);
if (IsReconnecting(connection))
{
// If the timeout for the reconnect hasn't fired as yet just fire the
// event here before any incoming messages are processed
TryReconnect(connection, reconnectInvoker);
}
if (shouldReconnect)
{
// Transition into reconnecting state
connection.EnsureReconnecting();
}
if (disconnectedReceived)
{
connection.Disconnect();
}
};
requestHandler.OnError += exception =>
{
reconnectInvoker.Invoke();
// Transition into reconnecting state
connection.EnsureReconnecting();
// Sometimes a connection might have been closed by the server before we get to write anything
// so just try again and raise OnError.
if (!ExceptionHelper.IsRequestAborted(exception) && !(exception is IOException))
{
connection.OnError(exception);
}
else
{
requestHandler.Stop();
}
};
requestHandler.OnPolling += () =>
{
// Capture the cleanup within a closure so it can persist through multiple requests
TryDelayedReconnect(connection, reconnectInvoker);
//.........这里部分代码省略.........