CachingExtensions.cs 3.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596
  1. using System;
  2. using System.Text;
  3. using System.Threading.Tasks;
  4. using Datory.Utils;
  5. using Microsoft.Extensions.Caching.Distributed;
  6. namespace GxPress.Common.Extensions
  7. {
  8. public static class CachingUtils
  9. {
  10. public static async Task<T> GetOrCreateAsync<T>(this IDistributedCache distributedCache, string key, Func<Task<T>> factory, DistributedCacheEntryOptions options = null)
  11. {
  12. var value = await distributedCache.GetAsync<T>(key);
  13. if (value != null) return value;
  14. value = await factory.Invoke();
  15. await SetAsync(distributedCache, key, value, options);
  16. return value;
  17. }
  18. public static async Task SetAsync<T>(this IDistributedCache distributedCache, string key, T value, DistributedCacheEntryOptions options = null)
  19. {
  20. if (value != null)
  21. {
  22. if (options == null)
  23. {
  24. options = new DistributedCacheEntryOptions();
  25. }
  26. if (IsSimple(typeof(T)))
  27. {
  28. var data = Encoding.UTF8.GetBytes(value.ToString());
  29. await distributedCache.SetAsync(key, data, options);
  30. }
  31. else
  32. {
  33. var data = Encoding.UTF8.GetBytes(Utilities.JsonSerialize(value));
  34. await distributedCache.SetAsync(key, data, options);
  35. }
  36. }
  37. }
  38. public static async Task<T> GetAsync<T>(this IDistributedCache distributedCache, string key)
  39. {
  40. var result = await distributedCache.GetAsync(key);
  41. if (result == null) return default;
  42. if (IsSimple(typeof(T)))
  43. {
  44. var data = Encoding.UTF8.GetString(result);
  45. return Get<T>(data);
  46. }
  47. else
  48. {
  49. var data = Encoding.UTF8.GetString(result);
  50. return Utilities.JsonDeserialize<T>(data);
  51. }
  52. }
  53. private static T Get<T>(object value, T defaultValue = default(T))
  54. {
  55. switch (value)
  56. {
  57. case null:
  58. return defaultValue;
  59. case T variable:
  60. return variable;
  61. default:
  62. try
  63. {
  64. return (T)Convert.ChangeType(value, typeof(T));
  65. }
  66. catch (InvalidCastException)
  67. {
  68. return defaultValue;
  69. }
  70. }
  71. }
  72. private static bool IsSimple(Type type)
  73. {
  74. if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof(Nullable<>))
  75. {
  76. // nullable type, check if the nested type is simple.
  77. return IsSimple(type.GetGenericArguments()[0]);
  78. }
  79. return type.IsPrimitive
  80. || type.IsEnum
  81. || type == typeof(string)
  82. || type == typeof(decimal);
  83. }
  84. }
  85. }