11

我是 Redis 的新手(在托管服务中使用它)并希望将其用作列表的演示/沙盒数据存储。

我使用以下代码。这个对我有用。但是,对于具有多个(最多 100 个)并发用户(对于少量数据 - 最多 1000 个列表项)的小型网站,这是一种有效的(并且不是完全错误的做法)吗?

我正在使用静态连接和静态 redisclient 类型列表,如下所示:

public class MyApp
{   
    private static ServiceStack.Redis.RedisClient redisClient;

    public static IList<Person> Persons;
    public static IRedisTypedClient<Person> PersonClient;

    static MyApp()
    {
        redisClient = new RedisClient("nnn.redistogo.com", nnn) { Password = "nnn" };
        PersonClient = redisClient.GetTypedClient<Person>();
        Persons = PersonClient.Lists["urn:names:current"];
    }
}

这样做我有一个非常易于使用的持久数据列表,这正是我在构建/演示我的应用程序的基本块时想要的。

foreach (var person in MyApp.Persons) ...

添加一个新人:

MyApp.Persons.Add(new Person { Id = MyApp.PersonClient.GetNextSequence(), Name = "My Name" });

我担心的是(目前)不是我在 appstart 时将完整列表加载到内存中的事实,而是我与 redis 主机的连接没有遵循良好标准的可能性 - 或者还有其他一些我没有的问题意识到。

谢谢

4

2 回答 2

16

实际上,当您使用时,PersonClient.Lists["urn:names:current"]您实际上是在存储对非线程安全的 RedisClient Connection 的引用。如果它在 GUI 或控制台应用程序中是可以的,但在多线程 Web 应用程序中并不理想。在大多数情况下,您希望使用线程安全连接工厂,即

var redisManager = new PooledRedisClientManager("localhost:6379");

其行为非常类似于数据库连接池。因此,每当您想访问 RedisClient 时,其工作方式如下:

using (var redis = redisManager.GetClient())
{
    var allItems = redis.As<Person>().Lists["urn:names:current"].GetAll();
}

注意:.As<T>是一个较短的别名,用于.GetTypedClient<T> 从 redisManager 执行类型化客户端的另一个方便快捷方式是:

var allItems = redisManager.ExecAs<Person>(r => r.Lists["urn:names:current"].GetAll());

我通常更喜欢在我的代码中传递IRedisClientsManager,所以它不持有 RedisClient 连接,但可以在需要时访问它。

于 2011-11-11T15:54:40.553 回答
0

这里有一个示例项目

于 2014-03-19T18:15:04.843 回答