| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441 |
- /*
- * Copyright 2017 Google
- *
- * Licensed under the Apache License, Version 2.0 (the "License");
- * you may not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- * http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
- #import "Firestore/Source/Local/FSTMemoryMutationQueue.h"
- #import "Firestore/Source/Core/FSTQuery.h"
- #import "Firestore/Source/Local/FSTDocumentReference.h"
- #import "Firestore/Source/Model/FSTDocumentKey.h"
- #import "Firestore/Source/Model/FSTMutation.h"
- #import "Firestore/Source/Model/FSTMutationBatch.h"
- #import "Firestore/Source/Model/FSTPath.h"
- #import "Firestore/Source/Util/FSTAssert.h"
- #import "Firestore/Source/Util/FSTComparison.h"
- NS_ASSUME_NONNULL_BEGIN
- @interface FSTMemoryMutationQueue ()
- /**
- * A FIFO queue of all mutations to apply to the backend. Mutations are added to the end of the
- * queue as they're written, and removed from the front of the queue as the mutations become
- * visible or are rejected.
- *
- * When successfully applied, mutations must be acknowledged by the write stream and made visible
- * on the watch stream. It's possible for the watch stream to fall behind in which case the batches
- * at the head of the queue will be acknowledged but held until the watch stream sees the changes.
- *
- * If a batch is rejected while there are held write acknowledgements at the head of the queue
- * the rejected batch is converted to a tombstone: its mutations are removed but the batch remains
- * in the queue. This maintains a simple consecutive ordering of batches in the queue.
- *
- * Once the held write acknowledgements become visible they are removed from the head of the queue
- * along with any tombstones that follow.
- */
- @property(nonatomic, strong, readonly) NSMutableArray<FSTMutationBatch *> *queue;
- /** An ordered mapping between documents and the mutation batch IDs. */
- @property(nonatomic, strong) FSTImmutableSortedSet<FSTDocumentReference *> *batchesByDocumentKey;
- /** The next value to use when assigning sequential IDs to each mutation batch. */
- @property(nonatomic, assign) FSTBatchID nextBatchID;
- /** The highest acknowledged mutation in the queue. */
- @property(nonatomic, assign) FSTBatchID highestAcknowledgedBatchID;
- /**
- * The last received stream token from the server, used to acknowledge which responses the client
- * has processed. Stream tokens are opaque checkpoint markers whose only real value is their
- * inclusion in the next request.
- */
- @property(nonatomic, strong, nullable) NSData *lastStreamToken;
- @end
- @implementation FSTMemoryMutationQueue
- + (instancetype)mutationQueue {
- return [[FSTMemoryMutationQueue alloc] init];
- }
- - (instancetype)init {
- if (self = [super init]) {
- _queue = [NSMutableArray array];
- _batchesByDocumentKey =
- [FSTImmutableSortedSet setWithComparator:FSTDocumentReferenceComparatorByKey];
- _nextBatchID = 1;
- _highestAcknowledgedBatchID = kFSTBatchIDUnknown;
- }
- return self;
- }
- #pragma mark - FSTMutationQueue implementation
- - (void)startWithGroup:(FSTWriteGroup *)group {
- // Note: The queue may be shutdown / started multiple times, since we maintain the queue for the
- // duration of the app session in case a user logs out / back in. To behave like the
- // LevelDB-backed MutationQueue (and accommodate tests that expect as much), we reset nextBatchID
- // and highestAcknowledgedBatchID if the queue is empty.
- if (self.isEmpty) {
- self.nextBatchID = 1;
- self.highestAcknowledgedBatchID = kFSTBatchIDUnknown;
- }
- FSTAssert(self.highestAcknowledgedBatchID < self.nextBatchID,
- @"highestAcknowledgedBatchID must be less than the nextBatchID");
- }
- - (void)shutdown {
- }
- - (BOOL)isEmpty {
- // If the queue has any entries at all, the first entry must not be a tombstone (otherwise it
- // would have been removed already).
- return self.queue.count == 0;
- }
- - (FSTBatchID)highestAcknowledgedBatchID {
- return _highestAcknowledgedBatchID;
- }
- - (void)acknowledgeBatch:(FSTMutationBatch *)batch
- streamToken:(nullable NSData *)streamToken
- group:(__unused FSTWriteGroup *)group {
- NSMutableArray<FSTMutationBatch *> *queue = self.queue;
- FSTBatchID batchID = batch.batchID;
- FSTAssert(batchID > self.highestAcknowledgedBatchID,
- @"Mutation batchIDs must be acknowledged in order");
- NSInteger batchIndex = [self indexOfExistingBatchID:batchID action:@"acknowledged"];
- // Verify that the batch in the queue is the one to be acknowledged.
- FSTMutationBatch *check = queue[(NSUInteger)batchIndex];
- FSTAssert(batchID == check.batchID, @"Queue ordering failure: expected batch %d, got batch %d",
- batchID, check.batchID);
- FSTAssert(![check isTombstone], @"Can't acknowledge a previously removed batch");
- self.highestAcknowledgedBatchID = batchID;
- self.lastStreamToken = streamToken;
- }
- - (void)setLastStreamToken:(nullable NSData *)streamToken group:(__unused FSTWriteGroup *)group {
- self.lastStreamToken = streamToken;
- }
- - (FSTMutationBatch *)addMutationBatchWithWriteTime:(FSTTimestamp *)localWriteTime
- mutations:(NSArray<FSTMutation *> *)mutations
- group:(FSTWriteGroup *)group {
- FSTAssert(mutations.count > 0, @"Mutation batches should not be empty");
- FSTBatchID batchID = self.nextBatchID;
- self.nextBatchID += 1;
- NSMutableArray<FSTMutationBatch *> *queue = self.queue;
- if (queue.count > 0) {
- FSTMutationBatch *prior = queue[queue.count - 1];
- FSTAssert(prior.batchID < batchID, @"Mutation batchIDs must be monotonically increasing order");
- }
- FSTMutationBatch *batch = [[FSTMutationBatch alloc] initWithBatchID:batchID
- localWriteTime:localWriteTime
- mutations:mutations];
- [queue addObject:batch];
- // Track references by document key.
- FSTImmutableSortedSet<FSTDocumentReference *> *references = self.batchesByDocumentKey;
- for (FSTMutation *mutation in batch.mutations) {
- references = [references
- setByAddingObject:[[FSTDocumentReference alloc] initWithKey:mutation.key ID:batchID]];
- }
- self.batchesByDocumentKey = references;
- return batch;
- }
- - (nullable FSTMutationBatch *)lookupMutationBatch:(FSTBatchID)batchID {
- NSMutableArray<FSTMutationBatch *> *queue = self.queue;
- NSInteger index = [self indexOfBatchID:batchID];
- if (index < 0 || index >= queue.count) {
- return nil;
- }
- FSTMutationBatch *batch = queue[(NSUInteger)index];
- FSTAssert(batch.batchID == batchID, @"If found batch must match");
- return [batch isTombstone] ? nil : batch;
- }
- - (nullable FSTMutationBatch *)nextMutationBatchAfterBatchID:(FSTBatchID)batchID {
- NSMutableArray<FSTMutationBatch *> *queue = self.queue;
- NSUInteger count = queue.count;
- // All batches with batchID <= self.highestAcknowledgedBatchID have been acknowledged so the
- // first unacknowledged batch after batchID will have a batchID larger than both of these values.
- batchID = MAX(batchID + 1, self.highestAcknowledgedBatchID);
- // The requested batchID may still be out of range so normalize it to the start of the queue.
- NSInteger rawIndex = [self indexOfBatchID:batchID];
- NSUInteger index = rawIndex < 0 ? 0 : (NSUInteger)rawIndex;
- // Finally return the first non-tombstone batch.
- for (; index < count; index++) {
- FSTMutationBatch *batch = queue[index];
- if (![batch isTombstone]) {
- return batch;
- }
- }
- return nil;
- }
- - (NSArray<FSTMutationBatch *> *)allMutationBatches {
- return [self allLiveMutationBatchesBeforeIndex:self.queue.count];
- }
- - (NSArray<FSTMutationBatch *> *)allMutationBatchesThroughBatchID:(FSTBatchID)batchID {
- NSMutableArray<FSTMutationBatch *> *queue = self.queue;
- NSUInteger count = queue.count;
- NSInteger endIndex = [self indexOfBatchID:batchID];
- if (endIndex < 0) {
- endIndex = 0;
- } else if (endIndex >= count) {
- endIndex = count;
- } else {
- // The endIndex is in the queue so increment to pull everything in the queue including it.
- endIndex += 1;
- }
- return [self allLiveMutationBatchesBeforeIndex:(NSUInteger)endIndex];
- }
- - (NSArray<FSTMutationBatch *> *)allMutationBatchesAffectingDocumentKey:
- (FSTDocumentKey *)documentKey {
- FSTDocumentReference *start = [[FSTDocumentReference alloc] initWithKey:documentKey ID:0];
- NSMutableArray<FSTMutationBatch *> *result = [NSMutableArray array];
- FSTDocumentReferenceBlock block = ^(FSTDocumentReference *reference, BOOL *stop) {
- if (![documentKey isEqualToKey:reference.key]) {
- *stop = YES;
- return;
- }
- FSTMutationBatch *batch = [self lookupMutationBatch:reference.ID];
- FSTAssert(batch, @"Batches in the index must exist in the main table");
- [result addObject:batch];
- };
- [self.batchesByDocumentKey enumerateObjectsFrom:start to:nil usingBlock:block];
- return result;
- }
- - (NSArray<FSTMutationBatch *> *)allMutationBatchesAffectingQuery:(FSTQuery *)query {
- // Use the query path as a prefix for testing if a document matches the query.
- FSTResourcePath *prefix = query.path;
- int immediateChildrenPathLength = prefix.length + 1;
- // Construct a document reference for actually scanning the index. Unlike the prefix, the document
- // key in this reference must have an even number of segments. The empty segment can be used as
- // a suffix of the query path because it precedes all other segments in an ordered traversal.
- FSTResourcePath *startPath = query.path;
- if (![FSTDocumentKey isDocumentKey:startPath]) {
- startPath = [startPath pathByAppendingSegment:@""];
- }
- FSTDocumentReference *start =
- [[FSTDocumentReference alloc] initWithKey:[FSTDocumentKey keyWithPath:startPath] ID:0];
- // Find unique batchIDs referenced by all documents potentially matching the query.
- __block FSTImmutableSortedSet<NSNumber *> *uniqueBatchIDs =
- [FSTImmutableSortedSet setWithComparator:FSTNumberComparator];
- FSTDocumentReferenceBlock block = ^(FSTDocumentReference *reference, BOOL *stop) {
- FSTResourcePath *rowKeyPath = reference.key.path;
- if (![prefix isPrefixOfPath:rowKeyPath]) {
- *stop = YES;
- return;
- }
- // Rows with document keys more than one segment longer than the query path can't be matches.
- // For example, a query on 'rooms' can't match the document /rooms/abc/messages/xyx.
- // TODO(mcg): we'll need a different scanner when we implement ancestor queries.
- if (rowKeyPath.length != immediateChildrenPathLength) {
- return;
- }
- uniqueBatchIDs = [uniqueBatchIDs setByAddingObject:@(reference.ID)];
- };
- [self.batchesByDocumentKey enumerateObjectsFrom:start to:nil usingBlock:block];
- // Construct an array of matching batches, sorted by batchID to ensure that multiple mutations
- // affecting the same document key are applied in order.
- NSMutableArray<FSTMutationBatch *> *result = [NSMutableArray array];
- [uniqueBatchIDs enumerateObjectsUsingBlock:^(NSNumber *batchID, BOOL *stop) {
- FSTMutationBatch *batch = [self lookupMutationBatch:[batchID intValue]];
- if (batch) {
- [result addObject:batch];
- }
- }];
- return result;
- }
- - (void)removeMutationBatches:(NSArray<FSTMutationBatch *> *)batches group:(FSTWriteGroup *)group {
- NSUInteger batchCount = batches.count;
- FSTAssert(batchCount > 0, @"Should not remove mutations when none exist.");
- FSTBatchID firstBatchID = batches[0].batchID;
- NSMutableArray<FSTMutationBatch *> *queue = self.queue;
- NSUInteger queueCount = queue.count;
- // Find the position of the first batch for removal. This need not be the first entry in the
- // queue.
- NSUInteger startIndex = [self indexOfExistingBatchID:firstBatchID action:@"removed"];
- FSTAssert(queue[startIndex].batchID == firstBatchID, @"Removed batches must exist in the queue");
- // Check that removed batches are contiguous (while excluding tombstones).
- NSUInteger batchIndex = 1;
- NSUInteger queueIndex = startIndex + 1;
- while (batchIndex < batchCount && queueIndex < queueCount) {
- FSTMutationBatch *batch = queue[queueIndex];
- if ([batch isTombstone]) {
- queueIndex++;
- continue;
- }
- FSTAssert(batch.batchID == batches[batchIndex].batchID,
- @"Removed batches must be contiguous in the queue");
- batchIndex++;
- queueIndex++;
- }
- // Only actually remove batches if removing at the front of the queue. Previously rejected batches
- // may have left tombstones in the queue, so expand the removal range to include any tombstones.
- if (startIndex == 0) {
- for (; queueIndex < queueCount; queueIndex++) {
- FSTMutationBatch *batch = queue[queueIndex];
- if (![batch isTombstone]) {
- break;
- }
- }
- NSUInteger length = queueIndex - startIndex;
- [queue removeObjectsInRange:NSMakeRange(startIndex, length)];
- } else {
- // Mark tombstones
- for (NSUInteger i = startIndex; i < queueIndex; i++) {
- queue[i] = [queue[i] toTombstone];
- }
- }
- // Remove entries from the index too.
- id<FSTGarbageCollector> garbageCollector = self.garbageCollector;
- FSTImmutableSortedSet<FSTDocumentReference *> *references = self.batchesByDocumentKey;
- for (FSTMutationBatch *batch in batches) {
- FSTBatchID batchID = batch.batchID;
- for (FSTMutation *mutation in batch.mutations) {
- FSTDocumentKey *key = mutation.key;
- [garbageCollector addPotentialGarbageKey:key];
- FSTDocumentReference *reference = [[FSTDocumentReference alloc] initWithKey:key ID:batchID];
- references = [references setByRemovingObject:reference];
- }
- }
- self.batchesByDocumentKey = references;
- }
- - (void)performConsistencyCheck {
- if (self.queue.count == 0) {
- FSTAssert([self.batchesByDocumentKey isEmpty],
- @"Document leak -- detected dangling mutation references when queue is empty.");
- }
- }
- #pragma mark - FSTGarbageSource implementation
- - (BOOL)containsKey:(FSTDocumentKey *)key {
- // Create a reference with a zero ID as the start position to find any document reference with
- // this key.
- FSTDocumentReference *reference = [[FSTDocumentReference alloc] initWithKey:key ID:0];
- NSEnumerator<FSTDocumentReference *> *enumerator =
- [self.batchesByDocumentKey objectEnumeratorFrom:reference];
- FSTDocumentKey *_Nullable firstKey = [enumerator nextObject].key;
- return [firstKey isEqual:key];
- }
- #pragma mark - Helpers
- /**
- * A private helper that collects all the mutation batches in the queue up to but not including
- * the given endIndex. All tombstones in the queue are excluded.
- */
- - (NSArray<FSTMutationBatch *> *)allLiveMutationBatchesBeforeIndex:(NSUInteger)endIndex {
- NSMutableArray<FSTMutationBatch *> *result = [NSMutableArray arrayWithCapacity:endIndex];
- NSUInteger index = 0;
- for (FSTMutationBatch *batch in self.queue) {
- if (index++ >= endIndex) break;
- if (![batch isTombstone]) {
- [result addObject:batch];
- }
- }
- return result;
- }
- /**
- * Finds the index of the given batchID in the mutation queue. This operation is O(1).
- *
- * @return The computed index of the batch with the given batchID, based on the state of the
- * queue. Note this index can negative if the requested batchID has already been removed from
- * the queue or past the end of the queue if the batchID is larger than the last added batch.
- */
- - (NSInteger)indexOfBatchID:(FSTBatchID)batchID {
- NSMutableArray<FSTMutationBatch *> *queue = self.queue;
- NSUInteger count = queue.count;
- if (count == 0) {
- // As an index this is past the end of the queue
- return 0;
- }
- // Examine the front of the queue to figure out the difference between the batchID and indexes
- // in the array. Note that since the queue is ordered by batchID, if the first batch has a larger
- // batchID then the requested batchID doesn't exist in the queue.
- FSTMutationBatch *firstBatch = queue[0];
- FSTBatchID firstBatchID = firstBatch.batchID;
- return batchID - firstBatchID;
- }
- /**
- * Finds the index of the given batchID in the mutation queue and asserts that the resulting
- * index is within the bounds of the queue.
- *
- * @param batchID The batchID to search for
- * @param action A description of what the caller is doing, phrased in passive form (e.g.
- * "acknowledged" in a routine that acknowledges batches).
- */
- - (NSUInteger)indexOfExistingBatchID:(FSTBatchID)batchID action:(NSString *)action {
- NSInteger index = [self indexOfBatchID:batchID];
- FSTAssert(index >= 0 && index < self.queue.count, @"Batches must exist to be %@", action);
- return (NSUInteger)index;
- }
- @end
- NS_ASSUME_NONNULL_END
|