キャッシュから情報を取得するために使用する次のコードがあります。アプリが開いている接続が多すぎるのか、このエラーがAzure redisキャッシュの一時的な障害が原因であるのかはわかりません。
これはスタックトレースです
[RedisConnectionException:この操作を処理するために使用できる接続はありません:GET UserProfileInformation|[email protected]] StackExchange.Redis.ConnectionMultiplexer.ExecuteSyncImpl(Message message、ResultProcessor
1 processor, ServerEndPoint server) in c:\TeamCity\buildAgent\work\3ae0647004edff78\StackExchange.Redis\StackExchange\Redis\ConnectionMultiplexer.cs:1922 StackExchange.Redis.RedisBase.ExecuteSync(Message message, ResultProcessor
1 processor、ServerEndPoint server)in c:\ TeamCity\buildAgent\work\3ae0647004edff78\StackExchange.Redis\StackExchange\Redis\RedisBase.cs:80 StackExchange.Redis.RedisDatabase.StringGet(RedisKey key、CommandFlags flags)in c:\ TeamCity\buildAgent\work\3ae0647004edff78\StackExchange.Redis\StackExchange\Redis\RedisDatabase.cs:1431 xx.Utils.SampleStackExchangeRedisExtensions.Get(IDatabase cache、String key)in C:\ Proyectos\xx\xx\Utils\SampleStackExchangeRedisExtensions.cs:20
xx:Cache.UserProfile.GetUserProfile(String identityname)in C:\ Proyectos\xx\xx\Cache\UserProfile.cs:22
x.Controllers.UserProfileController.GetPropertiesForUser()in C:\ Proyectos\xx\xx\Controllers\UserProfileController.cs:16
lambda_method(閉鎖、コントローラーベース、オブジェクト[])+61
System.Web.Mvc.ActionMethodDispatcher.Execute(ControllerBase controller、Object []パラメータ)+14
そしてこれはコードです
public static Models.UserProfile GetUserProfile(string identityname)
{
/// It needs to be cached for every user because every user can have different modules enabled.
var cachekeyname = "UserProfileInformation|" + identityname;
IDatabase cache = CacheConnectionHelper.Connection.GetDatabase();
Models.UserProfile userProfile = new Models.UserProfile();
object obj = cache.Get(cachekeyname);
string userProfileString;
if (obj != null)
{
//get string from cache
userProfileString = obj.ToString();
//conver string to our object
userProfile = JsonConvert.DeserializeObject<Models.UserProfile>(userProfileString);
return userProfile;
}
else
{
#region Get User Profile from AD
Uri serviceRoot = new Uri(SettingsHelper.AzureAdGraphApiEndPoint);
var token = AppToken.GetAppToken();
ActiveDirectoryClient adClient = new ActiveDirectoryClient(
serviceRoot,
async () => await AppToken.GetAppTokenAsync());
string userObjectID = ClaimsPrincipal.Current.FindFirst("http://schemas.Microsoft.com/identity/claims/objectidentifier").Value;
Microsoft.Azure.ActiveDirectory.GraphClient.Application app = (Microsoft.Azure.ActiveDirectory.GraphClient.Application)adClient.Applications.Where(
a => a.AppId == SettingsHelper.ClientId).ExecuteSingleAsync().Result;
if (app == null)
{
throw new ApplicationException("Unable to get a reference to application in Azure AD.");
}
string requestUrl = string.Format("https://graph.windows.net/{0}/users/{1}?api-version=1.5", SettingsHelper.Tenant, identityname);
HttpClient hc = new HttpClient();
hc.DefaultRequestHeaders.Authorization = new System.Net.Http.Headers.AuthenticationHeaderValue("Bearer", token);
HttpResponseMessage hrm = hc.GetAsync(new Uri(requestUrl)).Result;
if (hrm.IsSuccessStatusCode)
{
Models.UserProfile currentUserProfile = JsonConvert.DeserializeObject<Models.UserProfile>(hrm.Content.ReadAsStringAsync().Result);
//convert object to json string
userProfileString = JsonConvert.SerializeObject(currentUserProfile);
cache.Set(cachekeyname, userProfileString, TimeSpan.FromMinutes(SettingsHelper.CacheUserProfileMinutes));
return currentUserProfile;
}
else
{
return null;
}
#endregion
}
}
public static class SampleStackExchangeRedisExtensions
{
public static T Get<T>(this IDatabase cache, string key)
{
return Deserialize<T>(cache.StringGet(key));
}
public static object Get(this IDatabase cache, string key)
{
return Deserialize<object>(cache.StringGet(key));
}
public static void Set(this IDatabase cache, string key, object value, TimeSpan expiration)
{
cache.StringSet(key, Serialize(value), expiration);
}
static byte[] Serialize(object o)
{
if (o == null)
{
return null;
}
BinaryFormatter binaryFormatter = new BinaryFormatter();
using (MemoryStream memoryStream = new MemoryStream())
{
binaryFormatter.Serialize(memoryStream, o);
byte[] objectDataAsStream = memoryStream.ToArray();
return objectDataAsStream;
}
}
static T Deserialize<T>(byte[] stream)
{
BinaryFormatter binaryFormatter = new BinaryFormatter();
if (stream == null)
return default(T);
using (MemoryStream memoryStream = new MemoryStream(stream))
{
T result = (T)binaryFormatter.Deserialize(memoryStream);
return result;
}
}
質問は次のとおりです。1。表示されているような接続例外を制御して、ユーザーがエラーを受け取らず、代わりにredisが利用できない場合にDBにアクセスできるようにするにはどうすればよいですか。 2.とにかく、Azure redisキャッシュの一時的なフォルト処理で再試行しますか?
これらは一時的なエラーだと思います。単純な再試行ロジックを実装する前に、アプリケーションログでこれらの多くを確認しました。かなりのタイムアウトもありました。非常に単純な再試行ロジックと、解決された接続文字列にsyncTimeout=3000
を追加して解決allこれらは私にとっては。
public object Get(string key)
{
return Deserialize(Cache.StringGet(key));
}
public object GetWithRetry(string key, int wait, int retryCount)
{
int i = 0;
do
{
try
{
return Get(key);
}
catch (Exception)
{
if (i < retryCount + 1)
{
Thread.Sleep(wait);
i++;
}
else throw;
}
}
while (i < retryCount + 1);
return null;
}
キャッシュリポジトリで Polly を使用して、この例外を除くすべての操作を再試行しています。 PollyのRetryメソッドを試しましたが、これは間違った判断で、WaitAndRetryを使用しています。この方法を使用すると、ある程度のスリープ時間で操作を再試行できます-これにより、操作をRedisにキューイングできます
また、Stack Exchangeクライアントには、クライアントが再試行する組み込みの再試行ロジックが組み込まれています。構成オプションについての詳細を次に示します。 https://Azure.Microsoft.com/en-us/documentation/articles/cache-faq/#what-do-the-stackexchangeredis-configuration-options-do
ルーアンが示唆するように、これらはおそらく一時的な接続エラーです。以下は、再試行を処理するために Polly を使用する完全な非同期の例です。
var value = await Policy
.Handle<RedisConnectionException>() // Possible network issue
.WaitAndRetryAsync(3, i => TimeSpan.FromSeconds(3)) // retry 3 times, with a 3 second delay, before giving up
.ExecuteAsync(async () => {
return await cache.StringGetAsync(key);
});
Redis nugetパッケージを最新バージョンに更新すると、私の問題と同じように問題が解決されます!