개인적으로 캐시를 서비스 레이어에서 할 지 HttpClient에서 할 지 고민됩니다.
Caching Extension for .NET HttpClient
2개의 좋아요
클라이언트 측에서 캐시를 한다는 생각 자체를 해 본 적이 없었는데, 많이 흥미로운 주제네요.
저자는 Http Get 요청에 대해 캐시가 유용하다고 말하고 있는데,
One thing that is missing from the out-of-the box behaviours is caching of GET requests (only ones that can be cached! ), …
protected override async Task<HttpResponseMessage> SendAsync(HttpRequestMessage request, CancellationToken cancellationToken)
{
if (_cache.TryGetValue(request.RequestUri!, out var response) && response is HttpResponseMessage res)
{
_logger.LogInformation($"Getting response from cache for {request.RequestUri}");
}
else
{
res = await base.SendAsync(request, cancellationToken);
res.EnsureSuccessStatusCode();
res.Content = new NoDisposeStreamContent(res.Content);
_cache.Set(request.RequestUri!, res, DateTimeOffset.Now.Add(_duration));
_logger.LogInformation($"Adding response for {request.RequestUri} to cache for {_duration}");
}
return res;
}
아무리 Get 이라도, 이 캐시를 쓸 때는 좀 신중해야 할 필요가 있을 것 같은데, 주로 어떤 항목에 사용하시는지 여쭤봐도 될까요?
MSA로 k8s를 사용하다 보니 서비스간 원격 호출을 사용하는 경우가 종종 있습니다.
pod에서 response를 캐싱하지만 추가로 원격 호출을 하지 않고 캐싱된 데이터를 사용하는 것도 생각해 보는 중입니다.
1개의 좋아요
결국은 클라이언트가 캐시를 한다는 기본 구조는 동일한 것 같은데, 제가 염려하는 바는 클라이언트 캐시의 유효성입니다.
원글의 저자는 캐시의 기본 수명을 한 시간으로 설정하고 있는데,
public class CachingHandler : DelegatingHandler
{
private static readonly TimeSpan _defaultDuration = TimeSpan.FromHours(1);
이 값은 보통 서버 측(파드 측) 캐싱 예제에서 많이 보이더군요.
그런데, 서버는 실제 데이터를 관리하므로, 기본 값이 큰 의미가 없습니다.
Get/Post/Put/Delete 을 처리할 때 마다 캐시를 업데이트 할 수 있으니까요.
그런데, 클라이언트 측은 그렇지가 않죠.
쿠버네티스까지 동원될 정도로 거대 사이트면 데이터의 업데이트가 매우 잦을 것이고, 클라이언트 측 캐시는 쉽게 무효화될 것이라는 것이 제 추측입니다.
(이 것이 분산 캐시를 채택하는 이유라고 생각합니다)
클라이언트 캐시의 유효성을 담보하는 다른 수단이라도 있으신지요?
염려되는 상황은 원격 호출로 인한 오류 발생이 더 큽니다.
pod 끼리 상호 통신을 하면서 서버이자 클라이언트가 되는데요.
원격 호출을 줄여서 얻는 이득이 더 큰 부분에 캐싱을 어떻게 할 까 고민하던 중이었어요.
갱신이 불필요한 기준정보 같은 건 한번 입력하면 바뀌는 일이 없지만 GET은 매우 빈번해서
1개의 좋아요
hjnn
9월 9, 2024, 10:33오전
7
만약 캐시한다면 캐시 헤더를 기반으로 Response 캐시할 수도 있고, 혹은 라이브러리를 통해서 캐시하도록 하는 방식도 있으니 고민할 거리가 많을 것 같습니다.
Cache-Control 과 캐시 헤더를 통한 HttpClient 캐시 글
https://mac-blog.org.ua/dotnet-http-client-cache/
WebSocket 기반 RPC와 인메모리 캐시로 통신 레이어 따로 구현
Build real-time apps (Blazor included) with less than 1% of extra code responsible for real-time updates. Host 10-1000x faster APIs relying on transparent and nearly 100% consistent caching. We call it DREAM, or Distributed REActive Memoization, and it's here to turn real-time on!
stale-while-revalidate 기반으로 간단하게 구현한 라이브러리
A small Blazor library for handling async query state, in the style of React Query
5개의 좋아요
using System;
using System.Collections.Generic;
using System.Net;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.Extensions.Caching.Abstractions;
namespace Microsoft.Extensions.Caching.InMemory
{
/// <summary>
/// Tries to retrieve the result from an InMemory cache, and if that's not available, gets the value from the
/// underlying handler and caches that result.
/// </summary>
public class InMemoryCacheHandler : DelegatingHandler
{
#if NET5_0_OR_GREATER
/// <summary>
/// The key to use to store the UseCache value in the HttpRequestMessage.Options dictionary.
This file has been truncated. show original
HybridCache 를 사용하는 Handler를 작성해 봐야 겠군요. 코드 라이선스가 인상적이네요.
2개의 좋아요
아… HybridCache는 Sliding Expiration이 없군요. 현업 고려 안하고 또 이상한 걸 추가했어!!!
열림 12:53AM - 12 Jul 24 UTC
feature-caching
area-middleware
Are there any plans to implement a sliding expiration for `HybridCacheEntryOptio… ns`?
The existing `DistributedCacheEntryOptions` has a `SlidingExpiration` property which has been working well for my team and I. We have another mechanism to invalidate cache keys when updates to the underlying data occurs so we like to keep the data in Redis for as long as it is being used and eventually expire when that particular data is not regularly accessed.
### Desired Solution
Ideally, the same `SlidingExpiration` property would be added to `HybridCacheEntryOptions` and the value would be passed along in `ToDistributedCacheEntryOptions` and handled in the downstream `IDistributedCache` calls
FusionCache
기본 구현이 부족해서 서드파티 라이브러리 홍보
<div align="center">

</div>
# Ⓜ️ Microsoft HybridCache Support
| ⚡ TL;DR (quick version) |
| -------- |
| FusionCache can ALSO be used as an implementation of the new `HybridCache` abstraction from Microsoft, with the added extra features of FusionCache. Oh, and it's the first production-ready implementation of HybridCache (see below). |
> [!NOTE]
> FusionCache is the FIRST 3rd party implementation of HybridCache from Microsoft. But not just that: in a strange turn of events, since at the time of this writing (Jan 2025) Microsoft has not yet released their default implementation, FusionCache is the FIRST production-ready implementation of HybridCache AT ALL, including the one by Microsoft itself. Quite bonkers 😬
With .NET 9 Microsoft [introduced](https://www.youtube.com/watch?v=rjMfDUP4-eQ) their own hybrid cache, called [HybridCache](https://learn.microsoft.com/en-us/aspnet/core/performance/caching/hybrid?view=aspnetcore-9.0).
This of course sparked a lot of [questions](https://x.com/markjerz/status/1785654100375281954) about what I thought about it, and the future of FusionCache.
If you like you can read [my thoughts](https://github.com/ZiggyCreatures/FusionCache/discussions/266#discussioncomment-9915972) about it, but the main take away is:
This file has been truncated. show original