Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 3 additions & 1 deletion com.unity.netcode.gameobjects/CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -13,7 +13,8 @@ Additional documentation and release notes are available at [Multiplayer Documen

### Changed

* Changed minimum Unity version supported to 2022.3 LTS
- The `NetworkManager` functions `GetTransportIdFromClientId` and `GetClientIdFromTransportId` will now return `ulong.MaxValue` when the clientId or transportId do not exist. (#3721)
- Changed minimum Unity version supported to 2022.3 LTS

### Deprecated

Expand All @@ -23,6 +24,7 @@ Additional documentation and release notes are available at [Multiplayer Documen

### Fixed

- Multiple disconnect events from the same transport will no longer disconnect the host. (#3721)

### Security

Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -317,45 +317,45 @@ internal void RemovePendingClient(ulong clientId)
private ulong m_NextClientId = 1;

[MethodImpl(MethodImplOptions.AggressiveInlining)]
internal ulong TransportIdToClientId(ulong transportId)
internal (ulong, bool) TransportIdToClientId(ulong transportId)
{
if (transportId == GetServerTransportId())
{
return NetworkManager.ServerClientId;
return (NetworkManager.ServerClientId, true);
}

if (TransportIdToClientIdMap.TryGetValue(transportId, out var clientId))
{
return clientId;
return (clientId, true);
}

if (NetworkLog.CurrentLogLevel == LogLevel.Developer)
{
NetworkLog.LogWarning($"Trying to get the NGO client ID map for the transport ID ({transportId}) but did not find the map entry! Returning default transport ID value.");
}

return default;
return (0, false);
}

[MethodImpl(MethodImplOptions.AggressiveInlining)]
internal ulong ClientIdToTransportId(ulong clientId)
internal (ulong, bool) ClientIdToTransportId(ulong clientId)
{
if (clientId == NetworkManager.ServerClientId)
{
return GetServerTransportId();
return (GetServerTransportId(), true);
}

if (ClientIdToTransportIdMap.TryGetValue(clientId, out var transportClientId))
{
return transportClientId;
return (transportClientId, true);
}

if (NetworkLog.CurrentLogLevel == LogLevel.Developer)
{
NetworkLog.LogWarning($"Trying to get the transport client ID map for the NGO client ID ({clientId}) but did not find the map entry! Returning default transport ID value.");
}

return default;
return (0, false);
}

/// <summary>
Expand Down Expand Up @@ -384,19 +384,24 @@ private ulong GetServerTransportId()
/// Handles cleaning up the transport id/client id tables after receiving a disconnect event from transport.
/// </summary>
[MethodImpl(MethodImplOptions.AggressiveInlining)]
internal ulong TransportIdCleanUp(ulong transportId)
internal (ulong, bool) TransportIdCleanUp(ulong transportId)
{
// This check is for clients that attempted to connect but failed.
// When this happens, the client will not have an entry within the m_TransportIdToClientIdMap or m_ClientIdToTransportIdMap lookup tables so we exit early and just return 0 to be used for the disconnect event.
if (!LocalClient.IsServer && !TransportIdToClientIdMap.ContainsKey(transportId))
{
return NetworkManager.LocalClientId;
return (NetworkManager.LocalClientId, true);
}

var (clientId, isConnectedClient) = TransportIdToClientId(transportId);
if (!isConnectedClient)
{
return (default, false);
}

var clientId = TransportIdToClientId(transportId);
TransportIdToClientIdMap.Remove(transportId);
ClientIdToTransportIdMap.Remove(clientId);
return clientId;
return (clientId, true);
}

internal void PollAndHandleNetworkEvents()
Expand Down Expand Up @@ -502,8 +507,11 @@ internal void DataEventHandler(ulong transportClientId, ref ArraySegment<byte> p
#if DEVELOPMENT_BUILD || UNITY_EDITOR
s_HandleIncomingData.Begin();
#endif
var clientId = TransportIdToClientId(transportClientId);
MessageManager.HandleIncomingData(clientId, payload, receiveTime);
var (clientId, isConnectedClient) = TransportIdToClientId(transportClientId);
if (isConnectedClient)
{
MessageManager.HandleIncomingData(clientId, payload, receiveTime);
}

#if DEVELOPMENT_BUILD || UNITY_EDITOR
s_HandleIncomingData.End();
Expand All @@ -515,10 +523,15 @@ internal void DataEventHandler(ulong transportClientId, ref ArraySegment<byte> p
/// </summary>
internal void DisconnectEventHandler(ulong transportClientId)
{
var (clientId, wasConnectedClient) = TransportIdCleanUp(transportClientId);
if (!wasConnectedClient)
{
return;
}

#if DEVELOPMENT_BUILD || UNITY_EDITOR
s_TransportDisconnect.Begin();
#endif
var clientId = TransportIdCleanUp(transportClientId);
if (NetworkLog.CurrentLogLevel <= LogLevel.Developer)
{
NetworkLog.LogInfo($"Disconnect Event From {clientId}");
Expand Down Expand Up @@ -1040,9 +1053,9 @@ internal void OnClientDisconnectFromServer(ulong clientId)
}

// If the client ID transport map exists
if (ClientIdToTransportIdMap.ContainsKey(clientId))
var (transportId, isConnected) = ClientIdToTransportId(clientId);
if (isConnected)
{
var transportId = ClientIdToTransportId(clientId);
NetworkManager.NetworkConfig.NetworkTransport.DisconnectRemoteClient(transportId);

InvokeOnClientDisconnectCallback(clientId);
Expand Down
20 changes: 16 additions & 4 deletions com.unity.netcode.gameobjects/Runtime/Core/NetworkManager.cs
Original file line number Diff line number Diff line change
Expand Up @@ -1156,15 +1156,27 @@ private void HostServerInitialize()
/// Get the TransportId from the associated ClientId.
/// </summary>
/// <param name="clientId">The ClientId to get the TransportId from</param>
/// <returns>The TransportId associated with the given ClientId</returns>
public ulong GetTransportIdFromClientId(ulong clientId) => ConnectionManager.ClientIdToTransportId(clientId);
/// <returns>
/// The TransportId associated with the given ClientId if the given clientId is valid; otherwise <see cref="ulong.MaxValue"/>
/// </returns>
public ulong GetTransportIdFromClientId(ulong clientId)
{
var (id, success) = ConnectionManager.ClientIdToTransportId(clientId);
return success ? id : ulong.MaxValue;
}

/// <summary>
/// Get the ClientId from the associated TransportId.
/// </summary>
/// <param name="transportId">The TransportId to get the ClientId from</param>
/// <returns>The ClientId from the associated TransportId</returns>
public ulong GetClientIdFromTransportId(ulong transportId) => ConnectionManager.TransportIdToClientId(transportId);
/// <returns>
/// The ClientId from the associated TransportId if the given transportId is valid; otherwise <see cref="ulong.MaxValue"/>
/// </returns>
public ulong GetClientIdFromTransportId(ulong transportId)
{
var (id, success) = ConnectionManager.TransportIdToClientId(transportId);
return success ? id : ulong.MaxValue;
}

/// <summary>
/// Disconnects the remote client.
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -19,8 +19,19 @@ public DefaultMessageSender(NetworkManager manager)
public void Send(ulong clientId, NetworkDelivery delivery, FastBufferWriter batchData)
{
var sendBuffer = batchData.ToTempByteArray();
var (transportId, clientExists) = m_ConnectionManager.ClientIdToTransportId(clientId);

m_NetworkTransport.Send(m_ConnectionManager.ClientIdToTransportId(clientId), sendBuffer, delivery);
if (!clientExists)
{
if (m_ConnectionManager.NetworkManager.LogLevel <= LogLevel.Error)
{
NetworkLog.LogWarning("Trying to send a message to a client who doesn't have a transport connection");
}

return;
}

m_NetworkTransport.Send(transportId, sendBuffer, delivery);
}
}
}
Original file line number Diff line number Diff line change
Expand Up @@ -868,7 +868,11 @@ private void SendBatchedMessages(SendTarget sendTarget, BatchedSendQueue queue)
var mtu = 0;
if (NetworkManager)
{
var ngoClientId = NetworkManager.ConnectionManager.TransportIdToClientId(sendTarget.ClientId);
var (ngoClientId, isConnectedClient) = NetworkManager.ConnectionManager.TransportIdToClientId(sendTarget.ClientId);
if (!isConnectedClient)
{
return;
}
mtu = NetworkManager.GetPeerMTU(ngoClientId);
}

Expand Down Expand Up @@ -1278,7 +1282,7 @@ public override ulong GetCurrentRtt(ulong clientId)

if (NetworkManager != null)
{
var transportId = NetworkManager.ConnectionManager.ClientIdToTransportId(clientId);
var (transportId, _) = NetworkManager.ConnectionManager.ClientIdToTransportId(clientId);

var rtt = ExtractRtt(ParseClientId(transportId));
if (rtt > 0)
Expand All @@ -1290,7 +1294,6 @@ public override ulong GetCurrentRtt(ulong clientId)
return (ulong)ExtractRtt(ParseClientId(clientId));
}

#if UTP_TRANSPORT_2_0_ABOVE
/// <summary>
/// Provides the <see cref="NetworkEndpoint"/> for the NGO client identifier specified.
/// </summary>
Expand All @@ -1305,40 +1308,19 @@ public NetworkEndpoint GetEndpoint(ulong clientId)
{
if (m_Driver.IsCreated && NetworkManager != null && NetworkManager.IsListening)
{
var transportId = NetworkManager.ConnectionManager.ClientIdToTransportId(clientId);
var (transportId, connectionExists) = NetworkManager.ConnectionManager.ClientIdToTransportId(clientId);
var networkConnection = ParseClientId(transportId);
if (m_Driver.GetConnectionState(networkConnection) == NetworkConnection.State.Connected)
if (connectionExists && m_Driver.GetConnectionState(networkConnection) == NetworkConnection.State.Connected)
{
#if UTP_TRANSPORT_2_0_ABOVE
return m_Driver.GetRemoteEndpoint(networkConnection);
}
}
return new NetworkEndpoint();
}
#else
/// <summary>
/// Provides the <see cref="NetworkEndpoint"/> for the NGO client identifier specified.
/// </summary>
/// <remarks>
/// - This is only really useful for direct connections.
/// - Relay connections and clients connected using a distributed authority network topology will not provide the client's actual endpoint information.
/// - For LAN topologies this should work as long as it is a direct connection and not a relay connection.
/// </remarks>
/// <param name="clientId">NGO client identifier to get endpoint information about.</param>
/// <returns><see cref="NetworkEndpoint"/></returns>
public NetworkEndpoint GetEndpoint(ulong clientId)
{
if (m_Driver.IsCreated && NetworkManager != null && NetworkManager.IsListening)
{
var transportId = NetworkManager.ConnectionManager.ClientIdToTransportId(clientId);
var networkConnection = ParseClientId(transportId);
if (m_Driver.GetConnectionState(networkConnection) == NetworkConnection.State.Connected)
{
return m_Driver.RemoteEndPoint(networkConnection);
#endif
}
}
return new NetworkEndpoint();
}
#endif


/// <summary>
Expand Down Expand Up @@ -1460,10 +1442,17 @@ public override void Send(ulong clientId, ArraySegment<byte> payload, NetworkDel
// If the message is sent reliably, then we're over capacity and we can't
// provide any reliability guarantees anymore. Disconnect the client since at
// this point they're bound to become desynchronized.
if (NetworkManager != null)
{
var (ngoClientId, isConnectedClient) = NetworkManager.ConnectionManager.TransportIdToClientId(clientId);
if (isConnectedClient)
{
clientId = ngoClientId;
}

var ngoClientId = NetworkManager?.ConnectionManager.TransportIdToClientId(clientId) ?? clientId;
}
Debug.LogError($"Couldn't add payload of size {payload.Count} to reliable send queue. " +
$"Closing connection {ngoClientId} as reliability guarantees can't be maintained.");
$"Closing connection {clientId} as reliability guarantees can't be maintained.");

if (clientId == m_ServerClientId)
{
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -287,6 +287,17 @@ public enum HostOrServer
/// </summary>
protected virtual bool m_EnableTimeTravel => false;

/// <summary>
/// When true, <see cref="CreateServerAndClients()"/> and <see cref="CreateNewClient"/> will use a <see cref="MockTransport"/>
/// as the <see cref="NetworkConfig.NetworkTransport"/> on the created server and/or clients.
/// When false, a <see cref="UnityTransport"/> is used.
/// </summary>
/// <remarks>
/// This defaults to, and is required to be true when <see cref="m_EnableTimeTravel"/> is true.
/// <see cref="m_EnableTimeTravel"/> will not work with the <see cref="UnityTransport"/> component.
/// </remarks>
protected virtual bool m_UseMockTransport => m_EnableTimeTravel;

/// <summary>
/// If this is false, SetUp will call OnInlineSetUp instead of OnSetUp.
/// This is a performance advantage when not using the coroutine functionality, as a coroutine that
Expand Down Expand Up @@ -407,7 +418,7 @@ public IEnumerator SetUp()
{
VerboseDebug($"Entering {nameof(SetUp)}");
NetcodeLogAssert = new NetcodeLogAssert();
if (m_EnableTimeTravel)
if (m_UseMockTransport)
{
if (m_NetworkManagerInstatiationMode == NetworkManagerInstatiationMode.AllTests)
{
Expand All @@ -417,9 +428,14 @@ public IEnumerator SetUp()
{
MockTransport.Reset();
}
// Setup the frames per tick for time travel advance to next tick
}

// Setup the frames per tick for time travel advance to next tick
if (m_EnableTimeTravel)
{
ConfigureFramesPerTick();
}

if (m_SetupIsACoroutine)
{
yield return OnSetup();
Expand Down Expand Up @@ -577,7 +593,7 @@ protected virtual bool ShouldWaitForNewClientToConnect(NetworkManager networkMan
/// <returns>An IEnumerator for use with Unity's coroutine system.</returns>
protected IEnumerator CreateAndStartNewClient()
{
var networkManager = NetcodeIntegrationTestHelpers.CreateNewClient(m_ClientNetworkManagers.Length, m_EnableTimeTravel);
var networkManager = NetcodeIntegrationTestHelpers.CreateNewClient(m_ClientNetworkManagers.Length, m_UseMockTransport);
networkManager.NetworkConfig.PlayerPrefab = m_PlayerPrefab;

// Notification that the new client (NetworkManager) has been created
Expand Down Expand Up @@ -619,7 +635,7 @@ protected IEnumerator CreateAndStartNewClient()
/// </summary>
protected void CreateAndStartNewClientWithTimeTravel()
{
var networkManager = NetcodeIntegrationTestHelpers.CreateNewClient(m_ClientNetworkManagers.Length, m_EnableTimeTravel);
var networkManager = NetcodeIntegrationTestHelpers.CreateNewClient(m_ClientNetworkManagers.Length, m_UseMockTransport);
networkManager.NetworkConfig.PlayerPrefab = m_PlayerPrefab;

// Notification that the new client (NetworkManager) has been created
Expand Down Expand Up @@ -732,7 +748,7 @@ protected void CreateServerAndClients(int numberOfClients)
}

// Create multiple NetworkManager instances
if (!NetcodeIntegrationTestHelpers.Create(numberOfClients, out NetworkManager server, out NetworkManager[] clients, m_TargetFrameRate, m_CreateServerFirst, m_EnableTimeTravel))
if (!NetcodeIntegrationTestHelpers.Create(numberOfClients, out NetworkManager server, out NetworkManager[] clients, m_TargetFrameRate, m_CreateServerFirst, m_UseMockTransport))
{
Debug.LogError("Failed to create instances");
Assert.Fail("Failed to create instances");
Expand Down Expand Up @@ -1219,7 +1235,7 @@ public IEnumerator TearDown()
VerboseDebug($"Exiting {nameof(TearDown)}");
LogWaitForMessages();
NetcodeLogAssert.Dispose();
if (m_EnableTimeTravel)
if (m_UseMockTransport)
{
if (m_NetworkManagerInstatiationMode == NetworkManagerInstatiationMode.AllTests)
{
Expand Down
Loading