我正在使用Redis缓存进行缓存(特别是stackexchange.Redis C# driver
。想知道是否有任何方法可以在任何时间点获取缓存中的所有密钥。我的意思是我可以在ASP中做类似的事情。 NET cache
对象(代码示例下方)
var keys = Cache.GetEnumerator();
while(keys.MoveNext())
{
keys.Key.ToString() // Key
}
Redis documentation talks about KESY command但stackexchange.Redis
执行该命令。
通过connection.GetDataBase()
实例调试,我没有看到任何方法/属性。
有什么想法吗?
答案 0 :(得分:8)
您需要的功能在IServer界面下,可以通过以下方式联系到:
ConnectionMultiplexer m = CreateConnection();
m.GetServer("host").Keys();
请注意,在使用您提到的KEYS命令的版本2.8之前,在某些情况下它可能会非常慢。但是,如果你使用redis 2.8+ - 它将使用SCAN命令,它表现更好。还要确保你真的需要获得所有密钥,在我的实践中我从来没有需要这个。
答案 1 :(得分:5)
尝试使用此代码段,它对我有用:
IServer server = Connection.GetServer("yourcache.redis.cache.windows....", 6380);
foreach (var key in server.Keys())
{
Console.WriteLine(key);
}
答案 2 :(得分:4)
string connectionString = "my_connection_string";
ConfigurationOptions options = ConfigurationOptions.Parse(connectionString);
ConnectionMultiplexer connection = ConnectionMultiplexer.Connect(options);
IDatabase db = connection.GetDatabase();
EndPoint endPoint = connection.GetEndPoints().First();
RedisKey[] keys = connection.GetServer(endPoint).Keys(pattern: "*").ToArray();
答案 3 :(得分:3)
您需要db来区分在哪里寻找密钥。因此,MTZ4答案的最后一行变为:
RedisKey[] keys = connection.GetServer(endPoint).Keys(database: db.Database, pattern: "*").ToArray();
其中db.Database是要查询的Redis数据库的数字标识符。
答案 4 :(得分:0)
ASP.Net 核心 3.1
将以下 packages
添加到您的 .csproj
<ItemGroup>
<PackageReference Include="Microsoft.Extensions.Caching.StackExchangeRedis" Version="3.1.15" />
<PackageReference Include="StackExchange.Redis.Extensions.AspNetCore" Version="7.0.1" />
<PackageReference Include="StackExchange.Redis.Extensions.Core" Version="7.0.1" />
<PackageReference Include="StackExchange.Redis.Extensions.Newtonsoft" Version="7.0.1" />
</ItemGroup>
在 Startup.cs
中,您可以通过这种方式注册 Redis Client
,准备好注入到您的工作流代码中。
public class Startup
{
public void ConfigureServices(IServiceCollection services)
{
// ... other registrations
// Used By : Sample Below : RedisCacheHelperController (Method 1 Only)
services.AddSingleton<IConnectionMultiplexer>(
ConnectionMultiplexer.Connect(DbHelper.GetRedisConnectionHost(Options.IsDevDb()))
);
// Used By : Sample Below : DistributedCacheController (Method 2 Only)
services.AddStackExchangeRedisCache(options =>
options.Configuration = DbHelper.GetRedisConnectionHost(Options.IsDevDb())
);
// ... other registrations
}
}
注意:
<块引用>DbHelper.GetRedisConnectionHost(Options.IsDevDb()) :>>> 是我根据我的环境为我的 Redis 实例解析连接信息/字符串的方法。你可以在这里有自己的方式,或者你可以在这里硬编码,如果你想开始。
方法一
因此,有了上述内容,就可以将 Redis IConnectionMultiplexer
注入您的 Controllers
或 Services
。
public class RedisCacheHelperController : ControllerBase
{
private readonly IConnectionMultiplexer multiplexer;
public RedisCacheHelperController(IConnectionMultiplexer multiplexer)
{
this.multiplexer = multiplexer;
}
}
以下是帮助程序 API,用于演示如何使用 IConnectionMultiplexer
。
public class RedisCacheHelperController : ControllerBase
{
private readonly IConnectionMultiplexer multiplexer;
public RedisCacheHelperController(IConnectionMultiplexer multiplexer)
{
this.multiplexer = multiplexer;
}
[HttpGet("{key}")]
public async Task<IActionResult> GetCacheByKey([FromRoute] string key)
{
var responseContent = await multiplexer.GetDatabase().StringGetAsync(key);
return Content(
responseContent,
Constants.ContentTypeHeaderValueJson // "application/json"
);
}
[HttpPost("{key}")]
public async Task<IActionResult> PostCacheByKey([FromRoute] string key, [FromBody] object data)
{
var requestContent = data.Json(); // JsonConvert.SerializeObject(data)
await multiplexer.GetDatabase().StringSetAsync(key, requestContent);
return Ok(key);
}
[HttpDelete("{key}")]
public async Task<IActionResult> DeleteCacheByKey([FromRoute] string key)
{
await multiplexer.GetDatabase().KeyDeleteAsync(key);
return Ok(key);
}
[HttpGet("CachedKeys")]
public IActionResult GetListCacheKeys([FromQuery] [DefaultValue("*")] string pattern)
{
var keys = multiplexer
.GetServer(multiplexer
.GetEndPoints()
.First())
.Keys(pattern: pattern ?? "*")
.Select(x => x.Get());
return Ok(keys);
}
// ... could have more Reids supported operations here
}
现在上面是您想要访问 use-case
并执行更多 Redis Client
特定内容的 Reids
。我们在上面的 Microsoft.Extensions.Caching.StackExchangeRedis
中包含的包 .csproj
支持将 Reids
注册并作为 IDistributedCache
注入。接口 IDistributedCache
由 Microsoft
定义并支持不同分布式缓存解决方案的基本/通用功能,其中 Redis
就是其中之一。
意思是如果您的目的仅限于 set
和/或 get
缓存作为 key-value pair
,您更愿意在下面的 Method 2
中这样做。< /p>
方法二
public class DistributedCacheController : ControllerBase
{
private readonly IDistributedCache distributedCache;
public DistributedCacheController(IDistributedCache distributedCache)
{
this.distributedCache = distributedCache;
}
[HttpPost("{key}")]
public async Task<IActionResult> PostCacheByKey([FromRoute] string key, [FromBody] object data)
{
var requestContent = data.Json(); // JsonConvert.SerializeObject(data)
await distributedCache.SetStringAsync(key, requestContent);
return Ok(key);
}
[HttpGet("{key}")]
public async Task<IActionResult> GetCacheByKey([FromRoute] string key)
{
var responseContent = await distributedCache.GetStringAsync(key);
if (!string.IsNullOrEmpty(responseContent))
{
return Content(
responseContent,
Constants.ContentTypeHeaderValueJson // "application/json"
);
}
return NotFound();
}
[HttpDelete("{key}")]
public async Task<IActionResult> DeleteCacheByKey([FromRoute] string key)
{
await distributedCache.RemoveAsync(key);
return Ok(key);
}
}