angularjsangularjs-resource

Invalidate $resource Cache After Post Request


I am using $resource and caching the results of get requests. My problem is that, after post requests, the cache is not being invalidated.

Here is the return value from the service:

return $resource('http://url.com/api/url/:id', {}, {
'query' : {
      method : 'GET',
      isArray:true,
      cache : true
    },
'get' : {
  method : 'GET',
  cache : false
}  
})

Here is the save method I am using inside my controller. As you can see, I'm using the callback on the post request to recalculate the query/list of nouns.

var newNoun = new Noun($scope.noun);
newNoun.$save(function(x) {
  $scope.nouns = Noun.query();
});

I would like to invalidate the cache after calling post or another non-get method. How could I do this? Is this already built into $resource or do I need to implement it on my own?


Solution

  • You could create a wrapper service to do the caching like you want, for example:

    app.factory('cachedResource', function ($resource, $cacheFactory) {
      var cache = $cacheFactory('resourceCache');
    
      var interceptor = {
        response: function (response) {
          cache.remove(response.config.url);
          console.log('cache removed', response.config.url);
          return response;
        }
      };
    
      return function (url, paramDefaults, actions, options) {
        actions = angular.extend({}, actions, {
          'get':    { method: 'GET', cache: cache },
          'query':  { method: 'GET', cache: cache, isArray: true },
          'save':   { method: 'POST', interceptor: interceptor },
          'remove': { method: 'DELETE', interceptor: interceptor },
          'delete': { method: 'DELETE', interceptor: interceptor },
        });
    
        return $resource(url, paramDefaults, actions, options);
      };
    });
    

    Then replace any $resource with cachedResource.

    Example plunker: http://plnkr.co/edit/lIQw4uogcoMpcuHTWy2U?p=preview