0

Redis接続を処理し、BookSleeve機能を公開するために、次のシングルトンクラスを作成しました。

public class RedisConnection
{
    private static RedisConnection _instance = null;
    private BookSleeve.RedisSubscriberConnection _channel;
    private readonly int _db;
    private readonly string[] _keys;                        // represent channel name


    public BookSleeve.RedisConnection _connection;


    /// <summary>
    /// Initialize all class parameters
    /// </summary>
    private RedisConnection(string serverList, int db, IEnumerable<string> keys) 
    {
        _connection = ConnectionUtils.Connect(serverList);
        _db = db;
        _keys = keys.ToArray();

        _connection.Closed += OnConnectionClosed;
        _connection.Error += OnConnectionError;

        // Create a subscription channel in redis
        _channel = _connection.GetOpenSubscriberChannel();

        // Subscribe to the registered connections
        _channel.Subscribe(_keys, OnMessage);

        // Dirty hack but it seems like subscribe returns before the actual
        // subscription is properly setup in some cases
        while (_channel.SubscriptionCount == 0)
        {
            Thread.Sleep(500);
        }
    }

    /// <summary>
    /// Do something when a message is received
    /// </summary>
    /// <param name="key"></param>
    /// <param name="data"></param>
    private void OnMessage(string key, byte[] data)
    {
        // since we are just interested in pub/sub, no data persistence is active
        // however, if the persistence flag is enabled, here is where we can save the data

        // The key is the stream id (channel)
        //var message = RedisMessage.Deserialize(data);
        var message = Helpers.BytesToString(data);

        if (true) ;

        //_publishQueue.Enqueue(() => OnReceived(key, (ulong)message.Id, message.Messages));
    }

    public static RedisConnection GetInstance(string serverList, int db, IEnumerable<string> keys) 
    {
        if (_instance == null)
        {
            // could include some sort of lock for thread safety
            _instance = new RedisConnection(serverList, db, keys);
        }

        return _instance;
    }



    private static void OnConnectionClosed(object sender, EventArgs e)
    {
        // Should we auto reconnect?
        if (true)
        {
            ;
        }
    }

    private static void OnConnectionError(object sender, BookSleeve.ErrorEventArgs e)
    {
        // How do we bubble errors?
        if (true)
        {
            ;
        }
    }
}

OnMessage()var message = RedisMessage.Deserialize(data);次のエラーのためにコメントアウトされています。

RedisMessageは、保護レベルが原因でアクセスできません。

RedisMessageはBookSleeveの抽象クラスであり、これを使用できない理由に少し固執しています。

この問題が発生したのは、チャネル(pub / sub)にメッセージを送信するときに、OnMessage()でメッセージを処理したい場合があるためです。たとえば、永続性フラグが設定されている場合、データの記録を開始することを選択できます。問題は、この時点でデータがシリアル化されていることです。データを(文字列に)逆シリアル化し、Redisで永続化したいと思います。

これが私のテスト方法です:

    [TestMethod]
    public void TestRedisConnection()
    {
        // setup parameters
        string serverList = "dbcache1.local:6379";
        int db = 0;

        List<string> eventKeys = new List<string>();
        eventKeys.Add("Testing.FaucetChannel");

        BookSleeve.RedisConnection redisConnection = Faucet.Services.RedisConnection.GetInstance(serverList, db, eventKeys)._connection;

        // broadcast to a channel
        redisConnection.Publish("Testing.FaucetChannel", "a published value!!!");

    }

メソッドを使用できなかったためDeserialize()、静的ヘルパークラスを作成しました。

public static class Helpers
{
    /// <summary>
    /// Serializes a string to bytes
    /// </summary>
    /// <param name="val"></param>
    /// <returns></returns>
    public static byte[] StringToBytes(string str)
    {
        try
        {
            byte[] bytes = new byte[str.Length * sizeof(char)];
            System.Buffer.BlockCopy(str.ToCharArray(), 0, bytes, 0, bytes.Length);
            return bytes;
        }
        catch (Exception ex) 
        { 
            /* handle exception omitted */
            return null;
        }
    }


    /// <summary>
    /// Deserializes bytes to string
    /// </summary>
    /// <param name="bytes"></param>
    /// <returns></returns>
    public static string BytesToString(byte[] bytes)
    {
        string set;
        try
        {
            char[] chars = new char[bytes.Length / sizeof(char)];
            System.Buffer.BlockCopy(bytes, 0, chars, 0, bytes.Length);
            return new string(chars);
        }
        catch (Exception ex)
        {
            // removed error handling logic!
            return null;
        }
    }


}

残念ながら、これは文字列を元の形式に適切に逆シリアル化しておらず、私が得ているのは、実際の元のテキストではなく、⁡異汢獩敨⁤慶畬㩥ㄠのようなものです。

提案?

4

2 に答える 2

0

明らかに、これはエンコードタイプの問題でした。その間、このリンクを少し見てみると、UTF8のエンコードタイプを追加しただけで、出力は正常に見えます。

   #region EncodingType enum
    /// <summary> 
    /// Encoding Types. 
    /// </summary> 
    public enum EncodingType 
{ 
    ASCII, 
    Unicode, 
    UTF7, 
    UTF8 
} 
#endregion 

#region ByteArrayToString 
/// <summary> 
/// Converts a byte array to a string using Unicode encoding. 
/// </summary> 
/// <param name="bytes">Array of bytes to be converted.</param> 
/// <returns>string</returns> 
public static string ByteArrayToString(byte[] bytes) 
{ 
    return ByteArrayToString(bytes, EncodingType.Unicode); 
} 
/// <summary> 
/// Converts a byte array to a string using specified encoding. 
/// </summary> 
/// <param name="bytes">Array of bytes to be converted.</param> 
/// <param name="encodingType">EncodingType enum.</param> 
/// <returns>string</returns> 
public static string ByteArrayToString(byte[] bytes, EncodingType encodingType) 
{ 
    System.Text.Encoding encoding=null; 
    switch (encodingType) 
    { 
        case EncodingType.ASCII: 
            encoding=new System.Text.ASCIIEncoding(); 
            break;    
        case EncodingType.Unicode: 
            encoding=new System.Text.UnicodeEncoding(); 
            break;    
        case EncodingType.UTF7: 
            encoding=new System.Text.UTF7Encoding(); 
            break;    
        case EncodingType.UTF8: 
            encoding=new System.Text.UTF8Encoding(); 
            break;    
    } 
    return encoding.GetString(bytes); 
} 
#endregion

- アップデート -

さらに簡単:var message = Encoding.UTF8.GetString(data);

于 2013-02-20T21:06:28.260 に答える
0

RedisMessageサーバーに送信されようとしている保留中の要求を表します。これにはいくつかの具体的な実装があり、通常は送信されるパラメーターの性質と量に関連しています。「逆シリアル化」(または「シリアル化」)することは意味RedisMessageがありません-それは彼らの目的ではありません。それが賢明である唯一のことは彼らWrite(...)Stream

に関する情報が必要な場合はRedisMessage.ToString()概要がありますが、これはラウンドトリップ可能ではなく、率直に言ってデバッグを目的としています。

RedisMessageinternalクラスです。実装の詳細。コアコードへのプルリクエストで作業している場合を除いて、を操作する必要はありませんRedisMessage

同様のレベルでRedisResult、サーバーから返される応答を表すものがあります。そこからデータをすばやく取得する方法が必要な場合は、幸い、それははるかに簡単です。

object val = result.Parse(true);

(は、true「データが「」のように見えるかどうかを推測的にテストする」という意味stringです)。しかし、繰り返しになりますが、これはinternal実装の詳細であり、操作する必要はありません。

于 2013-02-21T15:02:58.067 に答える