MongoDB hat das, was so genannt wird, capped collections
und tailable cursors
das ermöglicht es MongoDB, Daten an die Listener zu senden.
A capped collection
ist im Wesentlichen eine Sammlung mit fester Größe, die nur Einfügungen zulässt. So würde es aussehen, eine zu erstellen:
db.createCollection("messages", { capped: true, size: 100000000 })
Rubin
coll = db.collection('my_collection')
cursor = Mongo::Cursor.new(coll, :tailable => true)
loop do
if doc = cursor.next_document
puts doc
else
sleep 1
end
end
PHP
$mongo = new Mongo();
$db = $mongo->selectDB('my_db')
$coll = $db->selectCollection('my_collection');
$cursor = $coll->find()->tailable(true);
while (true) {
if ($cursor->hasNext()) {
$doc = $cursor->getNext();
print_r($doc);
} else {
sleep(1);
}
}
Python (von Robert Stewart)
from pymongo import Connection
import time
db = Connection().my_db
coll = db.my_collection
cursor = coll.find(tailable=True)
while cursor.alive:
try:
doc = cursor.next()
print doc
except StopIteration:
time.sleep(1)
Perl (von Max )
use 5.010;
use strict;
use warnings;
use MongoDB;
my $db = MongoDB::Connection->new;
my $coll = $db->my_db->my_collection;
my $cursor = $coll->find->tailable(1);
for (;;)
{
if (defined(my $doc = $cursor->next))
{
say $doc;
}
else
{
sleep 1;
}
}
Zusätzliche Ressourcen:
Ruby / Node.js Tutorial, das Sie durch die Erstellung einer Anwendung führt, die Einfügungen in eine MongoDB-gekappte Sammlung abhört.
Ein Artikel, der ausführlicher über schwanzfähige Cursor spricht.
PHP-, Ruby-, Python- und Perl-Beispiele für die Verwendung von Tailable-Cursorn.