0

XNA と Lidgren Networking Library を使用してオンライン ゲームを作成しようとしています。ただし、現在、エラーが発生せずにメッセージを送受信するのに問題があります

次のようにクライアントにメッセージを送信します。

if (btnStart.isClicked && p1Ready == "Ready")
{
    btnStart.isClicked = false;
    NetOutgoingMessage om = server.CreateMessage();
    CurrentGameState = GameState.City;
    om.Write((byte)PacketTypes.Start);                                    
    server.SendMessage(om, server.Connections, NetDeliveryMethod.Unreliable, 0);
    numPlayers = 2;
    Console.WriteLine("Game started.");
}

ここで、PacketTypes.Start は、異なるメッセージを区別するために設定された列挙型の一部です。

クライアントはこのメッセージを次のように受け取ります。

    if (joining)
{
    NetIncomingMessage incMsg;
    while ((incMsg = client.ReadMessage()) != null)
    {
    switch (incMsg.MessageType)
    {


    case NetIncomingMessageType.Data:
    if (incMsg.ReadByte() == (byte)PacketTypes.Ready)
    {
        p1Ready = "Ready";                                                
    }
    else if (incMsg.ReadByte() == (byte)PacketTypes.Start)
    {
        CurrentGameState = GameState.City;
        Console.WriteLine("Game started");
        numPlayers = 2;
    }

    break;

    default:
        Console.WriteLine("Server not found, Retrying...");
    break;

        }
    }
}

しかし、何を試しても、まだそのエラーが発生します。どうぞ、どんな助けでも大歓迎です。

4

1 に答える 1

1

パケットを送信するときに、パケットに 1 バイトだけ書き込みます。

om.Write((byte)PacketTypes.Start);

ただし、受け取ったら次の 2 つをお読みください。

// One read here
if (incMsg.ReadByte() == (byte)PacketTypes.Ready)
{
    p1Ready = "Ready";                                                
}
// Second read here
else if (incMsg.ReadByte() == (byte)PacketTypes.Start)

編集

この問題を解決するには、コードを次のように変更します。

case NetIncomingMessageType.Data:
    byte type = incMsg.ReadByte(); // Read one byte only

    if (type == (byte)PacketTypes.Ready)
    {
        p1Ready = "Ready";                                                
    }
    else if (type == (byte)PacketTypes.Start)
    {
        CurrentGameState = GameState.City;
        Console.WriteLine("Game started");
        numPlayers = 2;
    }

break;
于 2013-07-10T16:08:11.570 に答える