Menu
  • HOME
  • TAGS

why did memcache get expired everyday whereas i have set it to 0 as expiration time?

php,memcached

Every time you restart the machine the memcache daemon will go down and start again, resulting in loosing the stored data as memcached is an in memory store. So your previously stored data will not be there when you restart the machine.

Simulating PDOStatement::execute

php,caching,pdo,memcached

I was able to solve the issue by extending the PDOStatement::fetch() and PDOStatement::fetchAll() functions. namespace trf; class StatementWithCaching extends \PDOStatement { protected $db; protected $cache; protected $cacheReturn; protected $cacheQuery; protected $queryCacheTime; protected function __construct(&$db) { $this->db =& $db; } function cache_execute( $array = NULL , $cache = FALSE , $cacheTime...

Distributed caching using memcached

caching,memcached

We got around this issue by grouping memcache servers into logical clusters within our client (2 or 3). While performing a cache "put", we put into all the clusters (which would save it on a single node within the logical cluster). However while performing a "get", we perform a get...

Checking username availability - Handling of AJAX requests (Google App Engine)

python,ajax,google-app-engine,memcached,gae-datastore

Answers - Do the check on blur. If you do it on key up, you will be hammering your server with unnecessary queries, annoying the user who is not yet done typing, and likely lag the typing anyway. If your Account entity is very large, you may want to create...

how to add data one existing key memcache php?

php,memcached

Just call $m->get the first time to populate $data, and don't call it again if you're just making updates:- if (!count($data)) $data=$m->get('foo'); $data[]=array('id'=>134,'title'=>'My First Car','content'=>'I love my car'); $m->set('foo',$data,TRUE,0); If you make $data global then you can reference it from other functions...

If redis is already a part of the stack, why is Memcached still used alongside Redis?

caching,redis,memcached

The main reason I see today as an use-case for memcached over Redis is the superior memory efficiency you should be able to get with plain HTML fragments caching (or similar applications). If you need to store different fields of your objects in different memcached keys, then Redis hashes are...

Memcache - how to determine order of a timeline

memcached

In Redis, lists are specifically used for modeling a timeline. Similar to that in memcached, a separate timeline object can be maintained containing the top n or (recent) IDs. A limit can be maintained for the timeline object so that it will store only 'n' IDs. Ex: Incase of twitter,...

How to add an item to a memcached list atomically (in Python)

python,multithreading,memcached,atomicity

Here's the corresponding function of the python client API https://cloud.google.com/appengine/docs/python/memcache/clientclass#Client_cas Also here's a nice tutorial by Guido van Rossum. Hope he'd better explain python stuff than I ;) Here's how the code should look like in your case: memcache_client = memcache.Client(['127.0.0.1:11211'], debug=True) key = "myList" while True: # Retry loop,...

Why PHP Sessions Memcached works but Memcache doesn't?

php,magento,centos,memcached

Try some thing like this : ini_set('session.save_handler', 'memcache'); ini_set('session.save_path', 'tcp://localhost:11211?persistent=1&weight=1&timeout=1&retry_interval=15'); ...

How can I automate my Appengine Django into memcaching my templates?

python,django,google-app-engine,memcached

Presumably your using django-nonrel. In which case you can use all of Django's normal caching functionality, including the per-view cache decorator which does exactly what you want. (Note, for clarity, it doesn't seem to be templates you want to cache, but the output from the view itself.)...

Memcached / Dalli couldn't fetch data from other servers

ruby-on-rails,memcached,dalli

I had quick look at Daili code base. It uses consistent hashing for distributing keys to servers. https://github.com/mperham/dalli/blob/master/lib%2Fdalli%2Fring.rb#L10 entry_count_for(server, servers.size, total_weight).times do |idx| hash = Digest::SHA1.hexdigest("#{server.name}:#{idx}") value = Integer("0x#{hash[0..7]}") continuum << Dalli::Ring::Entry.new(value, server) end and def entry_count_for(server, total_servers, total_weight) ((total_servers * POINTS_PER_SERVER * server.weight) / Float(total_weight)).floor end The keyspace of...

Getting or deleting cache entries in Flask with the key starting with (or containing) a substring

python,caching,flask,memcached,flask-cache

It's not supported because Memcache is designed to be a distributed hash. There's no index of keys stored to search in. Ideally you should know what suffixes a key may have. If not, you could maintain an index yourself in a special key for the user. Like user_id + '_keys'...

How can I reduce memcached key size using base64 encoding?

encoding,key,memcached,base64,libmemcached

What you're looking at is basically the decimal representation of 64 bits. They're probably talking about encoding the underlying bits directly to Base64 or hex, instead of encoding the decimal representation of the bits. They're essentially just talking about alphabet sizes. The larger the alphabet, the shorter the string: 64...

Storing big array (1 GB) in memcache

php,memcached

This is not recommended to store in Cache Break the array into pieces Use a file storage, maybe write a json file or something to access Use a database connection to store the data (recommended) 1GB of array is not recommended to store into Caching system. Only store those information...

how to implement an atomic operation “setIfAbsent” using spymemcached

java,memcached,spymemcached

There is add command in memcached that does what you want (list of commands). To avoid calling twice or more getTheResourceFromTheRemoteServer you should emulate write locks using memcached (combination of add and delete commands). So only a thread that successfully invokes add on same particular key (RESOURCE_KEY_LOCK) should call getTheResourceFromTheRemoteServer...

How to implement non-distributed locks which expire?

concurrency,redis,locking,memcached,concurrent-programming

tl;dr Use ready-made solution, suggested by developers. So, I decided not to use memcached for the purpose. Since it's a caching server. I don't see a way to ensure that it doesn't delete my keys because it's out of memory. With, redis that's not an issue as long as maxmemory-policy...

MySQL Performance and Memcache

mysql,jpa,memcached,eclipselink

I recommend you use a query using a JOIN operation, rather than an IN (subquery) predicate. For example: SELECT o.ID , o.Value , o.RequestId FROM Observations o JOIN Requests r ON r.ID = o.RequestId WHERE r.UniqueIdentifier = '123456' AND r.UniversalServiceId = '1234' For optimum performance, suitable indexes would be: ......

pip install python3-memcached fails

python,python-3.x,memcached

Try the following (with sudo): sudo pip3 install python3-memcached For python3 packages it is better to use pip3. If you don't have it installed, type: sudo apt-get install python3-pip ...

what are pagecache, dentries, inodes?

caching,memory,redis,memcached,aws-ec2

With some oversimplification, let me try to explain in what appears to be the context of your question because there are multiple answers. It appears you are working with memory caching of directory structures. An inode in your context is a data structure that represents a file. A dentries is...

How do I flush a class method in Rails 4 using memcached?

ruby-on-rails,memcached

The problem is that you're using self.class.name in a class method and an instance method. First, here's the solution, change self.cached_latest to: def self.cached_latest Rails.cache.fetch([name, 'latest']) { Update.all.limit(5) } end In a self dot method (a class method) you're already in the class so calling self.class will return the class'...

Why GAE memcache keeps reseting?

java,google-app-engine,memcached

Shared memcache provides cache capacity on a best-effort basis and is subject to the overall demand of all applications served by App Engine. Dedicated memcache provides a fixed cache capacity assigned exclusively to your application. https://cloud.google.com/appengine/docs/adminconsole/memcache Also in your code, you get the item twice out of cache. You call...

How can i connect to memcached via C sys/socket.h?

c,sockets,ubuntu,memcached

It looks like you're missing some knowledge regarding C sockets in general. As an overview, a socket is a two way communication channel that connects a client with a server, each having their own end of the socket. What memcached is doing is using the socket mechanism to transfer data...

Changes in memcached.ini aren't being used

php,apache,session,web-applications,memcached

It looks like you're not changing the correct .ini file, but the example located in the documentation folder. You can find out where the correct ini file is on top in your phpinfo() next to "Additional .ini files parsed". That's the one you should change....

How to cache paged queries using memcache in gae, ndb?

google-app-engine,memcached,gae-datastore,app-engine-ndb

You might be better off using a keys_only query and then doing a key.get() on each returned key. That way, memcache will be used for each post. Example (assuming Post is the model): keys, cursor, more = Post.query().fetch_page(30, start_cursor=cursor, keys_only=True) entities = ndb.get_multi(keys) ...

Memcached on CentOS 6.6

php,laravel-4,memcached,centos6.5

I still have no idea why memcached only works from the command line, but I decided to try Redis instead. After installing, everything works without a hitch.

Nginx and memcached

php,nginx,memcached

I have never heard of your curly bracket notation and cannot find any information about it. I won't say it doesn't exist. But your easiest course of action would be to use a different separator that cannot be misinterpreted as part of a variable. Like this: set $memcached_key $cookie_devicetype:$request_uri; ...

memcached from remote server cannot save data

php,memcached

Prpblem was with /etc/memcached.conf. Needed to change the host ip from 127.0.0.1 to my actual network ip....

PHP 5.4 & Laravel Class 'Memcached' not found

php,laravel,memcached

Memcache and Memcached are two different PHP extensions. Memcache is the older deprecated one. Memcached is a much newer and fully supported extension. Check out http://pecl.php.net/package/memcached You may need to also install libmemcached https://launchpad.net/libmemcached/+download...

magento how to change session handler to memcached?

php,magento,session,memcached,magento2

This is because in Magento2 local.xml doesn't exist anymore and is replaced with config.php and config.php is in .gitignore (therefore you don't see it in GitHub!). Here you can find the instructions for creating your config.php file. At the bottom of the page under Segment details you can see how...

Is it normal to have a lot of records in Memached with Laravel?

session,laravel-4,memcached

It's quite normal for any caching solution to rack up a number of items. Especially for lots of small objects it's often more efficient for a cache to keep them beyond their expiry (but no longer serve them) and then clear them out in a big sweep periodically. "Remnant records"...

Working with memcache with Yii and ActiveRecords

php,yii,memcached,yii2

If you really want caching "for all queries" you would be better of enabling the query cache of your database. It is much better at that. Besides the database schema there is no caching going on unless you explicitly enable it, like in your example. The documentation for $enableQueryCache clearly...

Memcached vs Redis as Rails.cache when requiring an LRU cache

ruby-on-rails,ruby,caching,redis,memcached

Ended up using both redis and memcached. Pretty happy with the results.

AppEngine Memcache atomic get-and-delete

java,google-app-engine,memcached

After sleeping on it for a night, I came up with a couple of approaches. Neither one of which is particularly elegant, but let me put them here as food for thought: MemCache does offer (at least) 4 commands that atomically modify an entry in some way and return some...

'str' does not support the buffer interface with Memcached

python,django,caching,memcached,python-memcached

The python-memcached library isn't compatible with Python 3.4. pylibmc doesn't support python3 as well. python3-memcached is outdated/unmaintained python3 port of the pure python memcache client implementation. Redis is strongly considered as better alternative to memcacahed in most cases. redis-py supports python3....

How inject Memcached class to service Symfony2

php,symfony2,service,memcached,containers

Configure your services into service.xml file // memcached service <service id="memcached" class="Memcached" /> // memcached injection <service id="uber.memcached" class="App\Bundle\Foo"> <call method="setMemcached"> <argument type="service" id="memcached" /> </call> </service> And then, use it on your service class // App/Bundle/Foo.php namespace App\Bundle; Class Foo { public function setMemcached($service) { // your code }...

Memcache Latency Time Too High?

java,google-app-engine,memcached,jpql,low-latency

You can put all objects in a single call. You can also use AsyncMemcacheService - it will work a little faster with put calls. Just remember: The "multi" batch operations can have any number of elements. The total size of the call and the total size of the data fetched...

How to find where a memcached key originates from in Magento

php,magento,caching,memcached

I was able to figure this out. In app/code/core/Mage/Core/Model/App.php, look for: public function loadCache($id) { return $this->_cache->load($id); } Inside this function is where you want to add your temporary check: public function loadCache($id) { if (strstr($id, 'b1b5d70')) { $currentUrl = Mage::helper('core/url')->getCurrentUrl(); $cacheId = $this->_cache->load($id); $stack = Varien_Debug::backtrace(true, true); Mage::log("Mage_Core_Model_App: "...

TYPO3 Memcached clone and upgrade to typo3 6.2

memcached,typo3

Don't do this. As noted on the wiki there is no namespacing, neither by memcache nor by TYPO3 (which could e.g. just add some prefix). So when using two TYPO3 instances in the same memcache instance, it is possible (and even likely) that the identifiers (e.g. for the cached version...

How Memcached negotiate the protocol?

memcached,binary,protocols,ascii

As you can see in the source code, it is all based on the first byte received by the server. If it is a magic request byte (0x80), then it considers that the client tries to use the binary protocol, otherwise it will use the ascii protocol.

expected declaration, found 'IDENT' item

google-app-engine,go,memcached

The := Short variable declaration can only be used inside functions. So either put the item variable declaration inside a function like this: import "appengine/memcache" func MyFunc() { item := &memcache.Item { Key: "lyric", Value: []byte("Oh, give me a home"), } // do something with item } Or make it...

Unable to require 'memcached' in Ruby

ruby,osx,memcached

As Jesper suggested, I solved the issue using Dalli memcached client.

couchbase security, can I restrict the moxi port 11211 to local host

security,memcached,couchbase

Let's back up a bit. Unlike memcached, Couchbase is really meant to be installed as a separate tier in your infrastructure and as a cluster even if you are just using it as a high availability cache. A better architecture would be to have Couchbase installed on its own properly...

PHP: in-memory searching

php,memcached

Memcached doesn't have such functionality, it only allows to access value by known key. Value is transparent for the memcached. To effectively match sub-string it is better to look at the storage engines that support secondary indexes such as tarantool If expected size of the value is not too big,...

Error Installing Memcached::libmemcached on Ubuntu 14.04

ubuntu,perl,memcached,ubuntu-14.04,cpan

Developer release is available. I just successfully installed the working developer release that solves this bug by doing: $ cpan $ install SEANBURKE/Memcached-libmemcached-1.001800-TRIAL1.tar.gz ...

Django cache Bad Request (400)

python,django,caching,memcached

Went back to the docks and started playing around with the port number for the location. Was able to make it report a different error that referenced 63894 as being the correct port number. Interesting to note that it was not the port the actual site was running off -...

AppEngine Memcache expiration policies

java,google-app-engine,memcached,cache-expiration

Wow! This was obscure, but I figure it out: Taking a look at the source for the doPut()-method in AsyncMemcacheServiceImpl.java, line 505 reads: itemBuilder.setExpirationTime(expires == null ? 0 : expires.getSecondsValue()); And Expiration.getSecondsValue() contains the following line: return (int) (getMillisecondsValue() / 1000); In other words: An expiration value of "0" is...

Best practices for caching front page queries for Google App Engine (GAE)

python,google-app-engine,memcached,google-datastore

You can cache your query as usual, but in addition use _post_put_hook to invalidate current cached value. This way you will have almost up to date results in your cache. class Foo(ndb.Model): CACHE_KEY = 'bla_cache' bla = ndb.StringProperty() @clasmethod def build_page(cls): result = memcache.get(CACHE_KEY) if result is None: result =...

How to store nil with Rails.cache.fetch & memcache?

ruby-on-rails,ruby-on-rails-3,caching,null,memcached

One solution is to use a NullObject, like this: class Specialist NullData = Struct.new(nil) def city result = Rails.cache.fetch([self.class.name, self.id, "city"], expires_in: 23.hours) do if responded? .. else NullData.new() end result.is_a?(NullData) ? nil : result end end That way you create a null object that can be cached. Then when...

error when installing pecl memcached

centos,memcached,pecl

Solved it by using this combination: libmemcached release 1.0.16 - installed from source php-memcached release 2.1.0 - installed from source & Added memcached.so in php.in I Hope this help. ...

Does Redis support file caching?

ruby-on-rails,caching,redis,memcached

Redis can be used for storing any data, the only limitation is that its protocol supports strings of up to 512MB - if your files are smaller than that, there shouldn't be any problem.

PHP sessions not being saved in memcache

php,session,centos,memcached,libmemcache

OK, we managed to figure out the issue. First, we created a simple page that spit out phpinfo(). Note that it is important that you run this thru the web server - running php -i DOES NOT include any overrides that apache may add. Under the session section, the output...

Unprivileged access to GAE Memcache?

security,google-app-engine,memcached

No. All GAE services, including memcache, are per-application. This is enforced at API level, there is no (known) way to access services in the name of some other app.

Log visits in shared memory

php,logging,nginx,memcached,apc

The best way is to use Lua with shared memory to store log entries, then create a timer which checks the size of logged entries every X seconds and uses a co-socket to dump the cache to a file or sql database. Should all be non-blocking. And yes you can...

Django cache, weather site auto-refresh cache every 5 minutes

python,django,caching,memcached

You could try to use queryset caching similar to what johnny-cache does and expire the querysets once new data comes in rather than every n minutes.

Using couchbase as memcache in a cluster configuration

python,django,memcached,couchbase,high-availability

A better solution would be to use Couchbase's MOXI server to proxy memcached. You install it on your application server and it will do the connections to the Couchbase cluster for you. In Moxi's configs you want to make sure that you are using at least 3 of the Couchbase...

When my Symfony2 app is using cache, when not? How do I know?

php,symfony2,caching,memcached,apc

I believe that you have to tell Doctrine when to use the configured caching driver, like so: public function getSomeEntities() { $qb = $this->createQueryBuilder('a'); $qb ->where('a.title = "test article"') ->orderBy('id', 'ASC') ; $query = $qb->getQuery(); $query->useResultCache(true, 60, 'uniqueCacheId'); return $query->getResult(); } You can also specify the use of query caching:...

Different ways to write memcached

xml,magento,memcached

Are you referring to this, when saying "in local.xml.additionnal" ? <config> <global> <session_save><![CDATA[]]></session_save> <!-- db / memcache / empty=files --> <!-- ... --> </global> </config> Then you are mistakenly assuming <session_save> and <backend> under <cache> are the same, because later in this same file around line 38 you can read...

How to use MemcacheD instead of Memcache on PHP and Windows Xampp?

php,caching,xampp,memcached,amazon-elasticache

You're confusing the two. memcached is the Memcache daemon program (the d stands for daemon). This has to be running for you to use Memcache. This is NOT what you use inside PHP. You launch this inside Windows like you would any other program. The Memcache PECL library is how...

CakePHP memcached configuration in core.php or bootstrap.php

cakephp,caching,memcached,cakephp-2.0

Really, you can place configuration values anywhere you would like, even in their own files as long as you load them in core.php or bootstrap.php. However, the default 2.0 core.php file states that other cache configurations should be in bootstrap.php as stated here: https://github.com/cakephp/cakephp/blob/master/app/Config/core.php#L349. FWIW, we load addition configuration files...

Storing metadata in Google App Engine memcache using Java

java,google-app-engine,memcached

Consider creating special keys which use characters that otherwise don't appear in your regular keys, e.g., by appending a suffix to keys, such that they don't conflict with regular keys. E.g., let's assume that your keys match the regex [A-Za-z0-9]+; then, you can take your key, e.g., foobar42 and create...

Appengine: Memcache missing under 5 seconds for the same call??

python,google-app-engine,caching,memcached

There is no guarantee on memcache entry, in theory it can be evicted anytime because memory pressure. You use memcache.add which only set the value if it is not there. Your timeout is 10 seconds, the memcache was added at 23:16:13 and it is lost when you access it...

Linking to a Docker memcached container

php,apache,memcached,docker

I think it fails because you're trying to access memcached from the apache container connecting to the localhost of the apache container, while the memcached container is made accessible to the apache one on a different IP address. This is the line I think is wrong: $mc->addServer("localhost", 11211); When you...

Best and fastest way to walk through database records

mysql,node.js,lua,memcached

You can do this in SQL: SELECT number FROM yourtable WHERE number = substring('36703657896',1,length(number)); This assumes your "number" column is a text type, if not you'll have to do some type casting. In node.js with node-memcached: var str='36703657896', maxMatchLength=4; var getkeys=[]; for (var i=0; i <= maxMatchLength; i++) { getkeys[i]...

how to make a persistent connection to redis or memcache within a twisted server

python,redis,memcached,twisted

Take a look at the txredisapi library. Its a quite complete twisted implementation of both individual connection and connection pools (persistent and non-persistent) for redis. I've been using for a twisted project for a few months now and I've been quite happy with it. Wait, ok maybe I missing what...

Cache huge data in-memory

caching,elasticsearch,redis,memcached,bigdata

A Redis Cluster sounds like a good fit for your usecase! Redis cluster provides a mechanism for data sharding by means of hash slots. These slots are equally distributed over the nodes in your cluster when setting it up. Whenever you store a value in the cluser, the corresponding hash...

CakePHP + NGINX + Memcache

cakephp,nginx,memcached

First of all you need be sure that your Memcached configured and working properly. Check memcached port (11211 if default settings) / process etc... for example memcached -u www-data -vv. Then if you using memcached default configurations you should change core.php configurations like following: Uncomment section about memcached. After it...

Installation of memcached - unable to find libevent

unix,memcached,libevent

After downloading and extracting libevent, you have to configure, build and install it. Only then can you go back to the memcached directory and rerun its configure, specifying where you installed libevent if it wasn't in one of the standard places (such as /lib, /usr/lib or /usr/local/lib)....

Does Rails gracefully handle cache store outages (memcached)?

ruby-on-rails,ruby-on-rails-4,heroku,memcached,rackattack

I'm the author of rack-attack. tl;dr: when your caching backend (memcached or redis) is down, then all requests are allowed (i.e. fail-open). It really depends on what the Rails cache does. Both the Dalli memcached client (ActiveSupport::Cache::DalliStore), and the Redis client (ActiveSupport::Cache::RedisStore) rescue connection errors and timeouts to return nil....

How to do memcached sessions with django 1.8

python,django,memcached

The settings have remained the same; TEMPLATE and urls.py are the major changes. Documentation is here: https://docs.djangoproject.com/en/1.8/topics/cache/ As for the package to use in requirements.txt, it can depend on whether or not you are using Python 2 or 3. Naturally, the memory question is far beyond the scope of Django...

Using Distributed Cache with option to handle Cache Miss

java,caching,redis,memcached,distributed-caching

You need to use read-through/write-through caching pattern where client application will consider cache as main data store and perform all read and write operations on cache. Cache on other hand will be responsible to sync itself with the database using deployed read-through/write-through providers. On read operation if data is not...

In PHP, is Memcached (the native library) the same as Memcached?

php,memcached

Nope, PHP's "memcached" is a PHP extension that provides an entryway into the memcached daemon (the real memcached, if you will)

How to do DB memcaching in Django with derived data?

python,django,caching,memcached,database-caching

# your client, be it memcache or redis, assign to client variable # I think both of them use set without TTL for permanent values. class Cell(models.Model): x = models.IntegerField(editable=False) y = models.IntegerField(editable=False) value = models.IntegerField() def save(self, *args, **kwargs): Cell.cache("row",self.y) Cell.cache("column",self.x) super(Cell, self).save(*args, **kwargs) @staticmethod def score(dimension, number): return...

Does memcache store cache for each user?

php,caching,memcached

No, there's exactly one memcache store. Memcache doesn't have any concept of who your users are. You can simply store your data under different keys: $memcache->set("entryNonStandardVars_$userId", ...); ...

Couchbase temporary failure

memcached,couchbase

This is happening as you are hitting the limits of the amount of memory available for caching. The cluster will attempt to free up memory (by ejecting not-recently-used items from RAM) but if you are writing data too fast to the cluster for it to free up memory before it...

Use memcached with laravel5

caching,laravel,memcached

This line: 'default' => env('CACHE_DRIVER', 'memcached'), means use the value of the environment variable CACHE_DRIVER. And default back to memcached if it doesn't exist. Instead you should change the value in your .env file: CACHE_DRIVER=memcached ...

memcache.get returns wrong object (Celery, Django)

python,django,caching,memcached,celery

This has been bugging me for a while until I found this question and answer. I just want to add some things I've learnt. You can easily reproduce this problem with a local memcached instance: from django.core.cache import cache import os def write_read_test(): pid = os.getpid() cache.set(pid, pid) for x...

Memcached-How to check if the query result has been changed

php,memcached

Short answer is "no there isn't". Analyzing the queries for updates would completely defeat the point in using Memcached in the first place. You will need to invalidate the cache record during any database updates so that it will regenerate on the next call with the correct data. ...

Caching / Mapping strategy for standalone java application

java,caching,hashmap,memcached,ehcache

You can start trying Guava cache (Google Core Libraries for Java 1.6+) Generally, the Guava caching utilities are applicable whenever: You are willing to spend some memory to improve speed. You expect that keys will sometimes get queried more than once. Your cache will not need to store more data...

Need to suspend and flush memcached server (or server pool) to maintain data integrity

caching,memcached

The usual method of (atomically) swapping over from one set of data in cache is with a Namespace. A prefix that is stored in its own key and is queried first before going on to fetch the main cached data. It works like this: You have a 'namespace' under a...

memcache.Client not setting cache values on GAE python

python,google-app-engine,caching,memcached

from google.appengine.api import memcache class BlogFront(BlogHandler): def get(self): client = memcache.Client() client.gets(FRONT_PAGE_KEY) client.cas(FRONT_PAGE_KEY, 'my content') For a reason I cannot yet possible understand, the solution lies in having a gets right before having a cas call ... I think I will stick with the memcache non-thread-safe version of the code...

Django caching in authenticated sites: best practices

python,django,caching,memcached

It's not the same thing at all, the {% cache %} template tag allows to cache a template fragment and that's used by the server, @vary_on_cookie decorator sets the Vary response header to Cookie, and that's used by the browser. Also, you could do {% cache 500 sidebar request.user %}...

GAE memcache vs request session

google-app-engine,memcached,gae-datastore

GAE session is backed by Memcache and the Datastore: App Engine includes an implementation of sessions, using the servlet session interface. The implementation stores session data in the App Engine datastore for persistence, and also uses memcache for speed. (documentation) Since you need to store the orders data in the...

How to get a value associated with a key using simple memcached?

memcached,spymemcached

Simple Spring Memcached (SSM) annotation @ReadThroughSingleCache work in following way: Intercept method (getComplexObjectFromDB) call and check if value is in cache if yes then return it and do not execute the method. Result is not in cache so execute the method (getComplexObjectFromDB). Store result in cache. Return result. As you...

PHP Zend 2 Cache

php,caching,zend-framework2,memcached

If you look at the part of the page relating to the Memcached adapter: http://framework.zend.com/manual/2.0/en/modules/zend.cache.storage.adapter.html#the-memcached-adapter You will see that the "ClearByPrefixInterface" is not listed as one of the interfaces that the adapter implements. You could always write your own interface or just use namespaces with Memcached and it would probably...

Check if memcached is installed?

php,install,memcached,syntax-error

Aha! Your issue is not with your installation of memcached. Keep in mind that memcache and memcached are two different caching mechanisms. You'll want to make sure that your server has memcache or apc installed for WURFL to be able to cache properly. ...

Django Memcached Cache Disappears

python,django,caching,memcached

When you set a particular cache key and the item you are setting is larger than the size allotted for a cached item, it fails silently and your key gets set to None. (I know this because I have been bitten by it.) Memcached uses pickle to cache objects, so...

Memcached not working with gmail API

python,memcached,gmail-api,httplib2

The cache is working fine. The first request however is likely the only request that sends cache headers that allow caching. These log lines: <27 get :1:https://www.googleapis.com/discovery/v1/apis/gmail/v1/rest >27 sending key :1:https://www.googleapis.com/discovery/v1/apis/gmail/v1/rest indicate that the cache is working fine. This request does support caching, as this page sends the header Cache-Control:...

How to manage Zend session save handler using Zend?

php,zend-framework,memcached,zend-session,libmemcached

I found a solution to manage sessions for sub domains. What I did is I placed below three lines in .htaccess file to manage sessions on Memcache rather than files based sessions. That means no need to make changes in php.ini file. Memcache option php_value session.cookie_domain "{your_domain}" php_value session.save_handler "memcache"...

Issue with php memcache fetching the value with 'true'

php,memcached

Unlike what you've been told in the comments, the unserialized value of a serialized boolean TRUE is still true. It seems the problem is not your memcache but your check. Try checking weather your variable is === true rather than printing it out and you'll see. Here's some example code...

spymemcache - Does MemcachedClient has a built-in connection pool?

java,memcached,spymemcached

From the documentation: Each MemcachedClient instance establishes and maintains a single connection to each server in your cluster. There is only one thread for all processing. Regardless of the number of requests, threads using the client, or servers to which the client is connected, only one thread will ever be...

CacheManager memcached configuration

c#,memcached,cachemanager

Regarding the error for the <cache name="memcached"> section , most likely you have not defined any section inside your configuration file with that name. At least there is no section like that coming from CacheManager nor from enyim. Then regarding the memcached handle. The name of the handle must match...

Memcache Not Working with Symfony (Memcached is installed)

php,symfony2,memcached

There are two different extensions for using memcache in php: memcache and memcached. Most likely you installed the wrong extension. Just install the other one as well and all should be fine.