summaryrefslogtreecommitdiff
path: root/FireBase/Offline
diff options
context:
space:
mode:
Diffstat (limited to 'FireBase/Offline')
-rw-r--r--FireBase/Offline/ConcurrentOfflineDatabase.cs70
-rw-r--r--FireBase/Offline/DatabaseExtensions.cs77
-rw-r--r--FireBase/Offline/ISetHandler.cs5
-rw-r--r--FireBase/Offline/InitialPullStrategy.cs4
-rw-r--r--FireBase/Offline/Internals/MemberAccessVisitor.cs19
-rw-r--r--FireBase/Offline/OfflineCacheAdapter.cs69
-rw-r--r--FireBase/Offline/OfflineDatabase.cs71
-rw-r--r--FireBase/Offline/OfflineEntry.cs60
-rw-r--r--FireBase/Offline/RealtimeDatabase.cs324
-rw-r--r--FireBase/Offline/SetHandler.cs9
-rw-r--r--FireBase/Offline/StreamingOptions.cs2
-rw-r--r--FireBase/Offline/SyncOptions.cs2
12 files changed, 341 insertions, 371 deletions
diff --git a/FireBase/Offline/ConcurrentOfflineDatabase.cs b/FireBase/Offline/ConcurrentOfflineDatabase.cs
index 226892d..5527168 100644
--- a/FireBase/Offline/ConcurrentOfflineDatabase.cs
+++ b/FireBase/Offline/ConcurrentOfflineDatabase.cs
@@ -6,7 +6,6 @@
using System.Collections.Generic;
using System.IO;
using System.Linq;
-
using LiteDB;
/// <summary>
@@ -24,34 +23,30 @@
/// <param name="filenameModifier"> Custom string which will get appended to the file name. </param>
public ConcurrentOfflineDatabase(Type itemType, string filenameModifier)
{
- var fullName = this.GetFileName(itemType.ToString());
- if(fullName.Length > 100)
- {
- fullName = fullName.Substring(0, 100);
- }
+ var fullName = GetFileName(itemType.ToString());
+ if (fullName.Length > 100) fullName = fullName.Substring(0, 100);
- BsonMapper mapper = BsonMapper.Global;
+ var mapper = BsonMapper.Global;
mapper.Entity<OfflineEntry>().Id(o => o.Key);
- string root = Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData);
- string filename = fullName + filenameModifier + ".db";
+ var root = Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData);
+ var filename = fullName + filenameModifier + ".db";
var path = Path.Combine(root, filename);
- this.db = new LiteRepository(new LiteDatabase(path, mapper));
+ db = new LiteRepository(new LiteDatabase(path, mapper));
var cache = db.Database
.GetCollection<OfflineEntry>()
.FindAll()
.ToDictionary(o => o.Key, o => o);
- this.ccache = new ConcurrentDictionary<string, OfflineEntry>(cache);
-
+ ccache = new ConcurrentDictionary<string, OfflineEntry>(cache);
}
/// <summary>
/// Gets the number of elements contained in the <see cref="T:System.Collections.Generic.ICollection`1"/>.
/// </summary>
/// <returns> The number of elements contained in the <see cref="T:System.Collections.Generic.ICollection`1"/>. </returns>
- public int Count => this.ccache.Count;
+ public int Count => ccache.Count;
/// <summary>
/// Gets a value indicating whether this is a read-only collection.
@@ -62,13 +57,13 @@
/// Gets an <see cref="T:System.Collections.Generic.ICollection`1"/> containing the keys of the <see cref="T:System.Collections.Generic.IDictionary`2"/>.
/// </summary>
/// <returns> An <see cref="T:System.Collections.Generic.ICollection`1"/> containing the keys of the object that implements <see cref="T:System.Collections.Generic.IDictionary`2"/>. </returns>
- public ICollection<string> Keys => this.ccache.Keys;
+ public ICollection<string> Keys => ccache.Keys;
/// <summary>
/// Gets an <see cref="T:System.Collections.Generic.ICollection`1"/> containing the values in the <see cref="T:System.Collections.Generic.IDictionary`2"/>.
/// </summary>
/// <returns> An <see cref="T:System.Collections.Generic.ICollection`1"/> containing the values in the object that implements <see cref="T:System.Collections.Generic.IDictionary`2"/>. </returns>
- public ICollection<OfflineEntry> Values => this.ccache.Values;
+ public ICollection<OfflineEntry> Values => ccache.Values;
/// <summary>
/// Gets or sets the element with the specified key.
@@ -77,15 +72,12 @@
/// <returns> The element with the specified key. </returns>
public OfflineEntry this[string key]
{
- get
- {
- return this.ccache[key];
- }
+ get => ccache[key];
set
{
- this.ccache.AddOrUpdate(key, value, (k, existing) => value);
- this.db.Upsert(value);
+ ccache.AddOrUpdate(key, value, (k, existing) => value);
+ db.Upsert(value);
}
}
@@ -95,12 +87,12 @@
/// <returns> An enumerator that can be used to iterate through the collection. </returns>
public IEnumerator<KeyValuePair<string, OfflineEntry>> GetEnumerator()
{
- return this.ccache.GetEnumerator();
+ return ccache.GetEnumerator();
}
IEnumerator IEnumerable.GetEnumerator()
{
- return this.GetEnumerator();
+ return GetEnumerator();
}
/// <summary>
@@ -109,7 +101,7 @@
/// <param name="item">The object to add to the <see cref="T:System.Collections.Generic.ICollection`1"/>.</param>
public void Add(KeyValuePair<string, OfflineEntry> item)
{
- this.Add(item.Key, item.Value);
+ Add(item.Key, item.Value);
}
/// <summary>
@@ -117,8 +109,8 @@
/// </summary>
public void Clear()
{
- this.ccache.Clear();
- this.db.Delete<OfflineEntry>(Query.All());
+ ccache.Clear();
+ db.Delete<OfflineEntry>(Query.All());
}
/// <summary>
@@ -128,7 +120,7 @@
/// <returns> True if <paramref name="item"/> is found in the <see cref="T:System.Collections.Generic.ICollection`1"/>; otherwise, false. </returns>
public bool Contains(KeyValuePair<string, OfflineEntry> item)
{
- return this.ContainsKey(item.Key);
+ return ContainsKey(item.Key);
}
/// <summary>
@@ -138,7 +130,7 @@
/// <param name="arrayIndex">The zero-based index in <paramref name="array"/> at which copying begins.</param>
public void CopyTo(KeyValuePair<string, OfflineEntry>[] array, int arrayIndex)
{
- this.ccache.ToList().CopyTo(array, arrayIndex);
+ ccache.ToList().CopyTo(array, arrayIndex);
}
/// <summary>
@@ -148,7 +140,7 @@
/// <returns> True if <paramref name="item"/> was successfully removed from the <see cref="T:System.Collections.Generic.ICollection`1"/>; otherwise, false. This method also returns false if <paramref name="item"/> is not found in the original <see cref="T:System.Collections.Generic.ICollection`1"/>. </returns>
public bool Remove(KeyValuePair<string, OfflineEntry> item)
{
- return this.Remove(item.Key);
+ return Remove(item.Key);
}
/// <summary>
@@ -158,7 +150,7 @@
/// <returns> True if the <see cref="T:System.Collections.Generic.IDictionary`2"/> contains an element with the key; otherwise, false. </returns>
public bool ContainsKey(string key)
{
- return this.ccache.ContainsKey(key);
+ return ccache.ContainsKey(key);
}
/// <summary>
@@ -168,8 +160,8 @@
/// <param name="value">The object to use as the value of the element to add.</param>
public void Add(string key, OfflineEntry value)
{
- this.ccache.AddOrUpdate(key, value, (k, existing) => value);
- this.db.Upsert(value);
+ ccache.AddOrUpdate(key, value, (k, existing) => value);
+ db.Upsert(value);
}
/// <summary>
@@ -179,8 +171,8 @@
/// <returns> True if the element is successfully removed; otherwise, false. This method also returns false if <paramref name="key"/> was not found in the original <see cref="T:System.Collections.Generic.IDictionary`2"/>. </returns>
public bool Remove(string key)
{
- this.ccache.TryRemove(key, out OfflineEntry _);
- return this.db.Delete<OfflineEntry>(key);
+ ccache.TryRemove(key, out _);
+ return db.Delete<OfflineEntry>(key);
}
/// <summary>
@@ -190,18 +182,16 @@
/// <returns> True if the object that implements <see cref="T:System.Collections.Generic.IDictionary`2"/> contains an element with the specified key; otherwise, false. </returns>
public bool TryGetValue(string key, out OfflineEntry value)
{
- return this.ccache.TryGetValue(key, out value);
+ return ccache.TryGetValue(key, out value);
}
private string GetFileName(string fileName)
{
- var invalidChars = new[] { '`', '[', ',', '=' };
- foreach(char c in invalidChars.Concat(System.IO.Path.GetInvalidFileNameChars()).Distinct())
- {
+ var invalidChars = new[] {'`', '[', ',', '='};
+ foreach (var c in invalidChars.Concat(Path.GetInvalidFileNameChars()).Distinct())
fileName = fileName.Replace(c, '_');
- }
return fileName;
}
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/DatabaseExtensions.cs b/FireBase/Offline/DatabaseExtensions.cs
index 4b04314..56dcf46 100644
--- a/FireBase/Offline/DatabaseExtensions.cs
+++ b/FireBase/Offline/DatabaseExtensions.cs
@@ -5,7 +5,7 @@
using System.Collections.Generic;
using System.Linq.Expressions;
using System.Reflection;
- using Firebase.Database.Query;
+ using Query;
public static class DatabaseExtensions
{
@@ -19,10 +19,13 @@
/// <param name="initialPullStrategy"> Specifies what strategy should be used for initial pulling of server data. </param>
/// <param name="pushChanges"> Specifies whether changed items should actually be pushed to the server. It this is false, then Put / Post / Delete will not affect server data. </param>
/// <returns> The <see cref="RealtimeDatabase{T}"/>. </returns>
- public static RealtimeDatabase<T> AsRealtimeDatabase<T>(this ChildQuery query, string filenameModifier = "", string elementRoot = "", StreamingOptions streamingOptions = StreamingOptions.LatestOnly, InitialPullStrategy initialPullStrategy = InitialPullStrategy.MissingOnly, bool pushChanges = true)
+ public static RealtimeDatabase<T> AsRealtimeDatabase<T>(this ChildQuery query, string filenameModifier = "",
+ string elementRoot = "", StreamingOptions streamingOptions = StreamingOptions.LatestOnly,
+ InitialPullStrategy initialPullStrategy = InitialPullStrategy.MissingOnly, bool pushChanges = true)
where T : class
{
- return new RealtimeDatabase<T>(query, elementRoot, query.Client.Options.OfflineDatabaseFactory, filenameModifier, streamingOptions, initialPullStrategy, pushChanges);
+ return new RealtimeDatabase<T>(query, elementRoot, query.Client.Options.OfflineDatabaseFactory,
+ filenameModifier, streamingOptions, initialPullStrategy, pushChanges);
}
/// <summary>
@@ -36,11 +39,16 @@
/// <param name="initialPullStrategy"> Specifies what strategy should be used for initial pulling of server data. </param>
/// <param name="pushChanges"> Specifies whether changed items should actually be pushed to the server. It this is false, then Put / Post / Delete will not affect server data. </param>
/// <returns> The <see cref="RealtimeDatabase{T}"/>. </returns>
- public static RealtimeDatabase<T> AsRealtimeDatabase<T, TSetHandler>(this ChildQuery query, string filenameModifier = "", string elementRoot = "", StreamingOptions streamingOptions = StreamingOptions.LatestOnly, InitialPullStrategy initialPullStrategy = InitialPullStrategy.MissingOnly, bool pushChanges = true)
+ public static RealtimeDatabase<T> AsRealtimeDatabase<T, TSetHandler>(this ChildQuery query,
+ string filenameModifier = "", string elementRoot = "",
+ StreamingOptions streamingOptions = StreamingOptions.LatestOnly,
+ InitialPullStrategy initialPullStrategy = InitialPullStrategy.MissingOnly, bool pushChanges = true)
where T : class
where TSetHandler : ISetHandler<T>, new()
{
- return new RealtimeDatabase<T>(query, elementRoot, query.Client.Options.OfflineDatabaseFactory, filenameModifier, streamingOptions, initialPullStrategy, pushChanges, Activator.CreateInstance<TSetHandler>());
+ return new RealtimeDatabase<T>(query, elementRoot, query.Client.Options.OfflineDatabaseFactory,
+ filenameModifier, streamingOptions, initialPullStrategy, pushChanges,
+ Activator.CreateInstance<TSetHandler>());
}
/// <summary>
@@ -50,8 +58,9 @@
/// <param name="obj"> The object to set. </param>
/// <param name="syncOnline"> Indicates whether the item should be synced online. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
- public static void Patch<T>(this RealtimeDatabase<T> db, string key, T obj, bool syncOnline = true, int priority = 1)
- where T: class
+ public static void Patch<T>(this RealtimeDatabase<T> db, string key, T obj, bool syncOnline = true,
+ int priority = 1)
+ where T : class
{
db.Set(key, obj, syncOnline ? SyncOptions.Patch : SyncOptions.None, priority);
}
@@ -63,8 +72,9 @@
/// <param name="obj"> The object to set. </param>
/// <param name="syncOnline"> Indicates whether the item should be synced online. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
- public static void Put<T>(this RealtimeDatabase<T> db, string key, T obj, bool syncOnline = true, int priority = 1)
- where T: class
+ public static void Put<T>(this RealtimeDatabase<T> db, string key, T obj, bool syncOnline = true,
+ int priority = 1)
+ where T : class
{
db.Set(key, obj, syncOnline ? SyncOptions.Put : SyncOptions.None, priority);
}
@@ -77,7 +87,7 @@
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
/// <returns> The generated key for this object. </returns>
public static string Post<T>(this RealtimeDatabase<T> db, T obj, bool syncOnline = true, int priority = 1)
- where T: class
+ where T : class
{
var key = FirebaseKeyGenerator.Next();
@@ -93,7 +103,7 @@
/// <param name="syncOnline"> Indicates whether the item should be synced online. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
public static void Delete<T>(this RealtimeDatabase<T> db, string key, bool syncOnline = true, int priority = 1)
- where T: class
+ where T : class
{
db.Set(key, null, syncOnline ? SyncOptions.Put : SyncOptions.None, priority);
}
@@ -109,8 +119,10 @@
/// <param name="value"> Value to put. </param>
/// <param name="syncOnline"> Indicates whether the item should be synced online. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
- public static void Put<T, TProperty>(this RealtimeDatabase<T> db, string key, Expression<Func<T, TProperty>> propertyExpression, TProperty value, bool syncOnline = true, int priority = 1)
- where T: class
+ public static void Put<T, TProperty>(this RealtimeDatabase<T> db, string key,
+ Expression<Func<T, TProperty>> propertyExpression, TProperty value, bool syncOnline = true,
+ int priority = 1)
+ where T : class
{
db.Set(key, propertyExpression, value, syncOnline ? SyncOptions.Put : SyncOptions.None, priority);
}
@@ -126,8 +138,10 @@
/// <param name="value"> Value to patch. </param>
/// <param name="syncOnline"> Indicates whether the item should be synced online. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
- public static void Patch<T, TProperty>(this RealtimeDatabase<T> db, string key, Expression<Func<T, TProperty>> propertyExpression, TProperty value, bool syncOnline = true, int priority = 1)
- where T: class
+ public static void Patch<T, TProperty>(this RealtimeDatabase<T> db, string key,
+ Expression<Func<T, TProperty>> propertyExpression, TProperty value, bool syncOnline = true,
+ int priority = 1)
+ where T : class
{
db.Set(key, propertyExpression, value, syncOnline ? SyncOptions.Patch : SyncOptions.None, priority);
}
@@ -143,9 +157,10 @@
/// <param name="value"> Value to put. </param>
/// <param name="syncOnline"> Indicates whether the item should be synced online. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
- public static void Delete<T, TProperty>(this RealtimeDatabase<T> db, string key, Expression<Func<T, TProperty>> propertyExpression, bool syncOnline = true, int priority = 1)
- where T: class
- where TProperty: class
+ public static void Delete<T, TProperty>(this RealtimeDatabase<T> db, string key,
+ Expression<Func<T, TProperty>> propertyExpression, bool syncOnline = true, int priority = 1)
+ where T : class
+ where TProperty : class
{
db.Set(key, propertyExpression, null, syncOnline ? SyncOptions.Put : SyncOptions.None, priority);
}
@@ -163,12 +178,17 @@
/// <param name="value"> Value to put. </param>
/// <param name="syncOnline"> Indicates whether the item should be synced online. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
- public static void Post<T, TSelector, TProperty>(this RealtimeDatabase<T> db, string key, Expression<Func<T, TSelector>> propertyExpression, TProperty value, bool syncOnline = true, int priority = 1)
- where T: class
- where TSelector: IDictionary<string, TProperty>
+ public static void Post<T, TSelector, TProperty>(this RealtimeDatabase<T> db, string key,
+ Expression<Func<T, TSelector>> propertyExpression, TProperty value, bool syncOnline = true,
+ int priority = 1)
+ where T : class
+ where TSelector : IDictionary<string, TProperty>
{
var nextKey = FirebaseKeyGenerator.Next();
- var expression = Expression.Lambda<Func<T, TProperty>>(Expression.Call(propertyExpression.Body, typeof(TSelector).GetRuntimeMethod("get_Item", new[] { typeof(string) }), Expression.Constant(nextKey)), propertyExpression.Parameters);
+ var expression = Expression.Lambda<Func<T, TProperty>>(
+ Expression.Call(propertyExpression.Body,
+ typeof(TSelector).GetRuntimeMethod("get_Item", new[] {typeof(string)}),
+ Expression.Constant(nextKey)), propertyExpression.Parameters);
db.Set(key, expression, value, syncOnline ? SyncOptions.Put : SyncOptions.None, priority);
}
@@ -185,11 +205,16 @@
/// <param name="dictionaryKey"> Key within the nested dictionary to delete. </param>
/// <param name="syncOnline"> Indicates whether the item should be synced online. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
- public static void Delete<T, TProperty>(this RealtimeDatabase<T> db, string key, Expression<Func<T, IDictionary<string, TProperty>>> propertyExpression, string dictionaryKey, bool syncOnline = true, int priority = 1)
- where T: class
+ public static void Delete<T, TProperty>(this RealtimeDatabase<T> db, string key,
+ Expression<Func<T, IDictionary<string, TProperty>>> propertyExpression, string dictionaryKey,
+ bool syncOnline = true, int priority = 1)
+ where T : class
{
- var expression = Expression.Lambda<Func<T, TProperty>>(Expression.Call(propertyExpression.Body, typeof(IDictionary<string, TProperty>).GetRuntimeMethod("get_Item", new[] { typeof(string) }), Expression.Constant(dictionaryKey)), propertyExpression.Parameters);
+ var expression = Expression.Lambda<Func<T, TProperty>>(
+ Expression.Call(propertyExpression.Body,
+ typeof(IDictionary<string, TProperty>).GetRuntimeMethod("get_Item", new[] {typeof(string)}),
+ Expression.Constant(dictionaryKey)), propertyExpression.Parameters);
db.Set(key, expression, null, syncOnline ? SyncOptions.Put : SyncOptions.None, priority);
}
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/ISetHandler.cs b/FireBase/Offline/ISetHandler.cs
index 477c36b..e3b49b5 100644
--- a/FireBase/Offline/ISetHandler.cs
+++ b/FireBase/Offline/ISetHandler.cs
@@ -1,11 +1,10 @@
namespace Firebase.Database.Offline
{
- using Firebase.Database.Query;
-
+ using Query;
using System.Threading.Tasks;
public interface ISetHandler<in T>
{
Task SetAsync(ChildQuery query, string key, OfflineEntry entry);
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/InitialPullStrategy.cs b/FireBase/Offline/InitialPullStrategy.cs
index 70f6b8c..a1ae3f7 100644
--- a/FireBase/Offline/InitialPullStrategy.cs
+++ b/FireBase/Offline/InitialPullStrategy.cs
@@ -8,7 +8,7 @@
/// <summary>
/// Don't pull anything.
/// </summary>
- None,
+ None,
/// <summary>
/// Pull only what isn't already stored offline.
@@ -20,4 +20,4 @@
/// </summary>
Everything,
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/Internals/MemberAccessVisitor.cs b/FireBase/Offline/Internals/MemberAccessVisitor.cs
index 1f7cb11..2bc0fc3 100644
--- a/FireBase/Offline/Internals/MemberAccessVisitor.cs
+++ b/FireBase/Offline/Internals/MemberAccessVisitor.cs
@@ -3,7 +3,6 @@
using System.Collections.Generic;
using System.Linq.Expressions;
using System.Reflection;
-
using Newtonsoft.Json;
public class MemberAccessVisitor : ExpressionVisitor
@@ -12,7 +11,7 @@
private bool wasDictionaryAccess;
- public IEnumerable<string> PropertyNames => this.propertyNames;
+ public IEnumerable<string> PropertyNames => propertyNames;
public MemberAccessVisitor()
{
@@ -22,30 +21,30 @@
{
if (expr?.NodeType == ExpressionType.MemberAccess)
{
- if (this.wasDictionaryAccess)
+ if (wasDictionaryAccess)
{
- this.wasDictionaryAccess = false;
+ wasDictionaryAccess = false;
}
else
{
- var memberExpr = (MemberExpression)expr;
+ var memberExpr = (MemberExpression) expr;
var jsonAttr = memberExpr.Member.GetCustomAttribute<JsonPropertyAttribute>();
- this.propertyNames.Add(jsonAttr?.PropertyName ?? memberExpr.Member.Name);
+ propertyNames.Add(jsonAttr?.PropertyName ?? memberExpr.Member.Name);
}
}
else if (expr?.NodeType == ExpressionType.Call)
{
- var callExpr = (MethodCallExpression)expr;
+ var callExpr = (MethodCallExpression) expr;
if (callExpr.Method.Name == "get_Item" && callExpr.Arguments.Count == 1)
{
var e = Expression.Lambda(callExpr.Arguments[0]).Compile();
- this.propertyNames.Add(e.DynamicInvoke().ToString());
- this.wasDictionaryAccess = callExpr.Arguments[0].NodeType == ExpressionType.MemberAccess;
+ propertyNames.Add(e.DynamicInvoke().ToString());
+ wasDictionaryAccess = callExpr.Arguments[0].NodeType == ExpressionType.MemberAccess;
}
}
return base.Visit(expr);
}
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/OfflineCacheAdapter.cs b/FireBase/Offline/OfflineCacheAdapter.cs
index a3761a0..0918a8c 100644
--- a/FireBase/Offline/OfflineCacheAdapter.cs
+++ b/FireBase/Offline/OfflineCacheAdapter.cs
@@ -5,7 +5,7 @@
using System.Collections.Generic;
using System.Linq;
- internal class OfflineCacheAdapter<TKey, T> : IDictionary<string, T>, IDictionary
+ internal class OfflineCacheAdapter<TKey, T> : IDictionary<string, T>, IDictionary
{
private readonly IDictionary<string, OfflineEntry> database;
@@ -19,66 +19,53 @@
throw new NotImplementedException();
}
- public int Count => this.database.Count;
+ public int Count => database.Count;
public bool IsSynchronized { get; }
public object SyncRoot { get; }
- public bool IsReadOnly => this.database.IsReadOnly;
+ public bool IsReadOnly => database.IsReadOnly;
object IDictionary.this[object key]
{
- get
- {
- return this.database[key.ToString()].Deserialize<T>();
- }
+ get => database[key.ToString()].Deserialize<T>();
set
{
var keyString = key.ToString();
- if (this.database.ContainsKey(keyString))
- {
- this.database[keyString] = new OfflineEntry(keyString, value, this.database[keyString].Priority, this.database[keyString].SyncOptions);
- }
+ if (database.ContainsKey(keyString))
+ database[keyString] = new OfflineEntry(keyString, value, database[keyString].Priority,
+ database[keyString].SyncOptions);
else
- {
- this.database[keyString] = new OfflineEntry(keyString, value, 1, SyncOptions.None);
- }
+ database[keyString] = new OfflineEntry(keyString, value, 1, SyncOptions.None);
}
}
- public ICollection<string> Keys => this.database.Keys;
+ public ICollection<string> Keys => database.Keys;
ICollection IDictionary.Values { get; }
ICollection IDictionary.Keys { get; }
- public ICollection<T> Values => this.database.Values.Select(o => o.Deserialize<T>()).ToList();
+ public ICollection<T> Values => database.Values.Select(o => o.Deserialize<T>()).ToList();
public T this[string key]
{
- get
- {
- return this.database[key].Deserialize<T>();
- }
+ get => database[key].Deserialize<T>();
set
{
- if (this.database.ContainsKey(key))
- {
- this.database[key] = new OfflineEntry(key, value, this.database[key].Priority, this.database[key].SyncOptions);
- }
+ if (database.ContainsKey(key))
+ database[key] = new OfflineEntry(key, value, database[key].Priority, database[key].SyncOptions);
else
- {
- this.database[key] = new OfflineEntry(key, value, 1, SyncOptions.None);
- }
+ database[key] = new OfflineEntry(key, value, 1, SyncOptions.None);
}
}
public bool Contains(object key)
{
- return this.ContainsKey(key.ToString());
+ return ContainsKey(key.ToString());
}
IDictionaryEnumerator IDictionary.GetEnumerator()
@@ -88,39 +75,39 @@
public void Remove(object key)
{
- this.Remove(key.ToString());
+ Remove(key.ToString());
}
public bool IsFixedSize => false;
public IEnumerator<KeyValuePair<string, T>> GetEnumerator()
{
- return this.database.Select(d => new KeyValuePair<string, T>(d.Key, d.Value.Deserialize<T>())).GetEnumerator();
+ return database.Select(d => new KeyValuePair<string, T>(d.Key, d.Value.Deserialize<T>())).GetEnumerator();
}
IEnumerator IEnumerable.GetEnumerator()
{
- return this.GetEnumerator();
+ return GetEnumerator();
}
public void Add(KeyValuePair<string, T> item)
{
- this.Add(item.Key, item.Value);
+ Add(item.Key, item.Value);
}
public void Add(object key, object value)
{
- this.Add(key.ToString(), (T)value);
+ Add(key.ToString(), (T) value);
}
public void Clear()
{
- this.database.Clear();
+ database.Clear();
}
public bool Contains(KeyValuePair<string, T> item)
{
- return this.ContainsKey(item.Key);
+ return ContainsKey(item.Key);
}
public void CopyTo(KeyValuePair<string, T>[] array, int arrayIndex)
@@ -130,29 +117,29 @@
public bool Remove(KeyValuePair<string, T> item)
{
- return this.database.Remove(item.Key);
+ return database.Remove(item.Key);
}
public void Add(string key, T value)
{
- this.database.Add(key, new OfflineEntry(key, value, 1, SyncOptions.None));
+ database.Add(key, new OfflineEntry(key, value, 1, SyncOptions.None));
}
public bool ContainsKey(string key)
{
- return this.database.ContainsKey(key);
+ return database.ContainsKey(key);
}
public bool Remove(string key)
{
- return this.database.Remove(key);
+ return database.Remove(key);
}
public bool TryGetValue(string key, out T value)
{
OfflineEntry val;
- if (this.database.TryGetValue(key, out val))
+ if (database.TryGetValue(key, out val))
{
value = val.Deserialize<T>();
return true;
@@ -162,4 +149,4 @@
return false;
}
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/OfflineDatabase.cs b/FireBase/Offline/OfflineDatabase.cs
index 9cebf9c..3e6e7d8 100644
--- a/FireBase/Offline/OfflineDatabase.cs
+++ b/FireBase/Offline/OfflineDatabase.cs
@@ -5,7 +5,6 @@
using System.Collections.Generic;
using System.IO;
using System.Linq;
-
using LiteDB;
/// <summary>
@@ -23,21 +22,18 @@
/// <param name="filenameModifier"> Custom string which will get appended to the file name. </param>
public OfflineDatabase(Type itemType, string filenameModifier)
{
- var fullName = this.GetFileName(itemType.ToString());
- if(fullName.Length > 100)
- {
- fullName = fullName.Substring(0, 100);
- }
+ var fullName = GetFileName(itemType.ToString());
+ if (fullName.Length > 100) fullName = fullName.Substring(0, 100);
- BsonMapper mapper = BsonMapper.Global;
+ var mapper = BsonMapper.Global;
mapper.Entity<OfflineEntry>().Id(o => o.Key);
- string root = Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData);
- string filename = fullName + filenameModifier + ".db";
+ var root = Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData);
+ var filename = fullName + filenameModifier + ".db";
var path = Path.Combine(root, filename);
- this.db = new LiteRepository(new LiteDatabase(path, mapper));
+ db = new LiteRepository(new LiteDatabase(path, mapper));
- this.cache = db.Database.GetCollection<OfflineEntry>().FindAll()
+ cache = db.Database.GetCollection<OfflineEntry>().FindAll()
.ToDictionary(o => o.Key, o => o);
}
@@ -45,24 +41,24 @@
/// Gets the number of elements contained in the <see cref="T:System.Collections.Generic.ICollection`1"/>.
/// </summary>
/// <returns> The number of elements contained in the <see cref="T:System.Collections.Generic.ICollection`1"/>. </returns>
- public int Count => this.cache.Count;
+ public int Count => cache.Count;
/// <summary>
/// Gets a value indicating whether this is a read-only collection.
/// </summary>
- public bool IsReadOnly => this.cache.IsReadOnly;
+ public bool IsReadOnly => cache.IsReadOnly;
/// <summary>
/// Gets an <see cref="T:System.Collections.Generic.ICollection`1"/> containing the keys of the <see cref="T:System.Collections.Generic.IDictionary`2"/>.
/// </summary>
/// <returns> An <see cref="T:System.Collections.Generic.ICollection`1"/> containing the keys of the object that implements <see cref="T:System.Collections.Generic.IDictionary`2"/>. </returns>
- public ICollection<string> Keys => this.cache.Keys;
+ public ICollection<string> Keys => cache.Keys;
/// <summary>
/// Gets an <see cref="T:System.Collections.Generic.ICollection`1"/> containing the values in the <see cref="T:System.Collections.Generic.IDictionary`2"/>.
/// </summary>
/// <returns> An <see cref="T:System.Collections.Generic.ICollection`1"/> containing the values in the object that implements <see cref="T:System.Collections.Generic.IDictionary`2"/>. </returns>
- public ICollection<OfflineEntry> Values => this.cache.Values;
+ public ICollection<OfflineEntry> Values => cache.Values;
/// <summary>
/// Gets or sets the element with the specified key.
@@ -71,15 +67,12 @@
/// <returns> The element with the specified key. </returns>
public OfflineEntry this[string key]
{
- get
- {
- return this.cache[key];
- }
+ get => cache[key];
set
{
- this.cache[key] = value;
- this.db.Upsert(value);
+ cache[key] = value;
+ db.Upsert(value);
}
}
@@ -89,12 +82,12 @@
/// <returns> An enumerator that can be used to iterate through the collection. </returns>
public IEnumerator<KeyValuePair<string, OfflineEntry>> GetEnumerator()
{
- return this.cache.GetEnumerator();
+ return cache.GetEnumerator();
}
IEnumerator IEnumerable.GetEnumerator()
{
- return this.GetEnumerator();
+ return GetEnumerator();
}
/// <summary>
@@ -103,7 +96,7 @@
/// <param name="item">The object to add to the <see cref="T:System.Collections.Generic.ICollection`1"/>.</param>
public void Add(KeyValuePair<string, OfflineEntry> item)
{
- this.Add(item.Key, item.Value);
+ Add(item.Key, item.Value);
}
/// <summary>
@@ -111,8 +104,8 @@
/// </summary>
public void Clear()
{
- this.cache.Clear();
- this.db.Delete<OfflineEntry>(Query.All());
+ cache.Clear();
+ db.Delete<OfflineEntry>(Query.All());
}
/// <summary>
@@ -122,7 +115,7 @@
/// <returns> True if <paramref name="item"/> is found in the <see cref="T:System.Collections.Generic.ICollection`1"/>; otherwise, false. </returns>
public bool Contains(KeyValuePair<string, OfflineEntry> item)
{
- return this.ContainsKey(item.Key);
+ return ContainsKey(item.Key);
}
/// <summary>
@@ -132,7 +125,7 @@
/// <param name="arrayIndex">The zero-based index in <paramref name="array"/> at which copying begins.</param>
public void CopyTo(KeyValuePair<string, OfflineEntry>[] array, int arrayIndex)
{
- this.cache.CopyTo(array, arrayIndex);
+ cache.CopyTo(array, arrayIndex);
}
/// <summary>
@@ -142,7 +135,7 @@
/// <returns> True if <paramref name="item"/> was successfully removed from the <see cref="T:System.Collections.Generic.ICollection`1"/>; otherwise, false. This method also returns false if <paramref name="item"/> is not found in the original <see cref="T:System.Collections.Generic.ICollection`1"/>. </returns>
public bool Remove(KeyValuePair<string, OfflineEntry> item)
{
- return this.Remove(item.Key);
+ return Remove(item.Key);
}
/// <summary>
@@ -152,7 +145,7 @@
/// <returns> True if the <see cref="T:System.Collections.Generic.IDictionary`2"/> contains an element with the key; otherwise, false. </returns>
public bool ContainsKey(string key)
{
- return this.cache.ContainsKey(key);
+ return cache.ContainsKey(key);
}
/// <summary>
@@ -162,8 +155,8 @@
/// <param name="value">The object to use as the value of the element to add.</param>
public void Add(string key, OfflineEntry value)
{
- this.cache.Add(key, value);
- this.db.Insert(value);
+ cache.Add(key, value);
+ db.Insert(value);
}
/// <summary>
@@ -173,8 +166,8 @@
/// <returns> True if the element is successfully removed; otherwise, false. This method also returns false if <paramref name="key"/> was not found in the original <see cref="T:System.Collections.Generic.IDictionary`2"/>. </returns>
public bool Remove(string key)
{
- this.cache.Remove(key);
- return this.db.Delete<OfflineEntry>(key);
+ cache.Remove(key);
+ return db.Delete<OfflineEntry>(key);
}
/// <summary>
@@ -184,18 +177,16 @@
/// <returns> True if the object that implements <see cref="T:System.Collections.Generic.IDictionary`2"/> contains an element with the specified key; otherwise, false. </returns>
public bool TryGetValue(string key, out OfflineEntry value)
{
- return this.cache.TryGetValue(key, out value);
+ return cache.TryGetValue(key, out value);
}
private string GetFileName(string fileName)
{
- var invalidChars = new[] { '`', '[', ',', '=' };
- foreach(char c in invalidChars.Concat(System.IO.Path.GetInvalidFileNameChars()).Distinct())
- {
+ var invalidChars = new[] {'`', '[', ',', '='};
+ foreach (var c in invalidChars.Concat(Path.GetInvalidFileNameChars()).Distinct())
fileName = fileName.Replace(c, '_');
- }
return fileName;
}
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/OfflineEntry.cs b/FireBase/Offline/OfflineEntry.cs
index 3b862cb..dfd5910 100644
--- a/FireBase/Offline/OfflineEntry.cs
+++ b/FireBase/Offline/OfflineEntry.cs
@@ -1,7 +1,6 @@
namespace Firebase.Database.Offline
{
using System;
-
using Newtonsoft.Json;
/// <summary>
@@ -18,16 +17,17 @@
/// <param name="obj"> The object. </param>
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
/// <param name="syncOptions"> The sync options. </param>
- public OfflineEntry(string key, object obj, string data, int priority, SyncOptions syncOptions, bool isPartial = false)
+ public OfflineEntry(string key, object obj, string data, int priority, SyncOptions syncOptions,
+ bool isPartial = false)
{
- this.Key = key;
- this.Priority = priority;
- this.Data = data;
- this.Timestamp = DateTime.UtcNow;
- this.SyncOptions = syncOptions;
- this.IsPartial = isPartial;
+ Key = key;
+ Priority = priority;
+ Data = data;
+ Timestamp = DateTime.UtcNow;
+ SyncOptions = syncOptions;
+ IsPartial = isPartial;
- this.dataInstance = obj;
+ dataInstance = obj;
}
/// <summary>
@@ -45,63 +45,39 @@
/// <summary>
/// Initializes a new instance of the <see cref="OfflineEntry"/> class.
/// </summary>
- public OfflineEntry()
+ public OfflineEntry()
{
}
/// <summary>
/// Gets or sets the key of this entry.
/// </summary>
- public string Key
- {
- get;
- set;
- }
+ public string Key { get; set; }
/// <summary>
/// Gets or sets the priority. Objects with higher priority will be synced first. Higher number indicates higher priority.
/// </summary>
- public int Priority
- {
- get;
- set;
- }
+ public int Priority { get; set; }
/// <summary>
/// Gets or sets the timestamp when this entry was last touched.
/// </summary>
- public DateTime Timestamp
- {
- get;
- set;
- }
+ public DateTime Timestamp { get; set; }
/// <summary>
/// Gets or sets the <see cref="SyncOptions"/> which define what sync state this entry is in.
/// </summary>
- public SyncOptions SyncOptions
- {
- get;
- set;
- }
+ public SyncOptions SyncOptions { get; set; }
/// <summary>
/// Gets or sets serialized JSON data.
/// </summary>
- public string Data
- {
- get;
- set;
- }
+ public string Data { get; set; }
/// <summary>
/// Specifies whether this is only a partial object.
/// </summary>
- public bool IsPartial
- {
- get;
- set;
- }
+ public bool IsPartial { get; set; }
/// <summary>
/// Deserializes <see cref="Data"/> into <typeparamref name="T"/>. The result is cached.
@@ -110,7 +86,7 @@
/// <returns> Instance of <typeparamref name="T"/>. </returns>
public T Deserialize<T>()
{
- return (T)(this.dataInstance ?? (this.dataInstance = JsonConvert.DeserializeObject<T>(this.Data)));
+ return (T) (dataInstance ?? (dataInstance = JsonConvert.DeserializeObject<T>(Data)));
}
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/RealtimeDatabase.cs b/FireBase/Offline/RealtimeDatabase.cs
index 61a7010..4d61027 100644
--- a/FireBase/Offline/RealtimeDatabase.cs
+++ b/FireBase/Offline/RealtimeDatabase.cs
@@ -7,10 +7,9 @@
using System.Reactive.Subjects;
using System.Threading;
using System.Threading.Tasks;
-
- using Firebase.Database.Extensions;
- using Firebase.Database.Query;
- using Firebase.Database.Streaming;
+ using Extensions;
+ using Query;
+ using Streaming;
using System.Reactive.Threading.Tasks;
using System.Linq.Expressions;
using Internals;
@@ -46,21 +45,25 @@
/// <param name="streamChanges"> Specifies whether changes should be streamed from the server. </param>
/// <param name="pullEverythingOnStart"> Specifies if everything should be pull from the online storage on start. It only makes sense when <see cref="streamChanges"/> is set to true. </param>
/// <param name="pushChanges"> Specifies whether changed items should actually be pushed to the server. If this is false, then Put / Post / Delete will not affect server data. </param>
- public RealtimeDatabase(ChildQuery childQuery, string elementRoot, Func<Type, string, IDictionary<string, OfflineEntry>> offlineDatabaseFactory, string filenameModifier, StreamingOptions streamingOptions, InitialPullStrategy initialPullStrategy, bool pushChanges, ISetHandler<T> setHandler = null)
+ public RealtimeDatabase(ChildQuery childQuery, string elementRoot,
+ Func<Type, string, IDictionary<string, OfflineEntry>> offlineDatabaseFactory, string filenameModifier,
+ StreamingOptions streamingOptions, InitialPullStrategy initialPullStrategy, bool pushChanges,
+ ISetHandler<T> setHandler = null)
{
this.childQuery = childQuery;
this.elementRoot = elementRoot;
this.streamingOptions = streamingOptions;
this.initialPullStrategy = initialPullStrategy;
this.pushChanges = pushChanges;
- this.Database = offlineDatabaseFactory(typeof(T), filenameModifier);
- this.firebaseCache = new FirebaseCache<T>(new OfflineCacheAdapter<string, T>(this.Database));
- this.subject = new Subject<FirebaseEvent<T>>();
+ Database = offlineDatabaseFactory(typeof(T), filenameModifier);
+ firebaseCache = new FirebaseCache<T>(new OfflineCacheAdapter<string, T>(Database));
+ subject = new Subject<FirebaseEvent<T>>();
- this.PutHandler = setHandler ?? new SetHandler<T>();
+ PutHandler = setHandler ?? new SetHandler<T>();
- this.isSyncRunning = true;
- Task.Factory.StartNew(this.SynchronizeThread, CancellationToken.None, TaskCreationOptions.LongRunning, TaskScheduler.Default);
+ isSyncRunning = true;
+ Task.Factory.StartNew(SynchronizeThread, CancellationToken.None, TaskCreationOptions.LongRunning,
+ TaskScheduler.Default);
}
/// <summary>
@@ -71,17 +74,9 @@
/// <summary>
/// Gets the backing Database.
/// </summary>
- public IDictionary<string, OfflineEntry> Database
- {
- get;
- private set;
- }
+ public IDictionary<string, OfflineEntry> Database { get; private set; }
- public ISetHandler<T> PutHandler
- {
- private get;
- set;
- }
+ public ISetHandler<T> PutHandler { private get; set; }
/// <summary>
/// Overwrites existing object with given key.
@@ -92,35 +87,34 @@
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
public void Set(string key, T obj, SyncOptions syncOptions, int priority = 1)
{
- this.SetAndRaise(key, new OfflineEntry(key, obj, priority, syncOptions));
+ SetAndRaise(key, new OfflineEntry(key, obj, priority, syncOptions));
}
- public void Set<TProperty>(string key, Expression<Func<T, TProperty>> propertyExpression, object value, SyncOptions syncOptions, int priority = 1)
+ public void Set<TProperty>(string key, Expression<Func<T, TProperty>> propertyExpression, object value,
+ SyncOptions syncOptions, int priority = 1)
{
- var fullKey = this.GenerateFullKey(key, propertyExpression, syncOptions);
+ var fullKey = GenerateFullKey(key, propertyExpression, syncOptions);
var serializedObject = JsonConvert.SerializeObject(value).Trim('"', '\\');
if (fullKey.Item3)
{
if (typeof(TProperty) != typeof(string) || value == null)
- {
// don't escape non-string primitives and null;
serializedObject = $"{{ \"{fullKey.Item2}\" : {serializedObject} }}";
- }
else
- {
serializedObject = $"{{ \"{fullKey.Item2}\" : \"{serializedObject}\" }}";
- }
}
- var setObject = this.firebaseCache.PushData("/" + fullKey.Item1, serializedObject).First();
+ var setObject = firebaseCache.PushData("/" + fullKey.Item1, serializedObject).First();
- if (!this.Database.ContainsKey(key) || this.Database[key].SyncOptions != SyncOptions.Patch && this.Database[key].SyncOptions != SyncOptions.Put)
- {
- this.Database[fullKey.Item1] = new OfflineEntry(fullKey.Item1, value, serializedObject, priority, syncOptions, true);
- }
+ if (!Database.ContainsKey(key) || Database[key].SyncOptions != SyncOptions.Patch &&
+ Database[key].SyncOptions != SyncOptions.Put)
+ Database[fullKey.Item1] =
+ new OfflineEntry(fullKey.Item1, value, serializedObject, priority, syncOptions, true);
- this.subject.OnNext(new FirebaseEvent<T>(key, setObject.Object, setObject == null ? FirebaseEventType.Delete : FirebaseEventType.InsertOrUpdate, FirebaseEventSource.Offline));
+ subject.OnNext(new FirebaseEvent<T>(key, setObject.Object,
+ setObject == null ? FirebaseEventType.Delete : FirebaseEventType.InsertOrUpdate,
+ FirebaseEventSource.Offline));
}
/// <summary>
@@ -130,15 +124,11 @@
/// <param name="priority"> The priority. Objects with higher priority will be synced first. Higher number indicates higher priority. </param>
public void Pull(string key, int priority = 1)
{
- if (!this.Database.ContainsKey(key))
- {
- this.Database[key] = new OfflineEntry(key, null, priority, SyncOptions.Pull);
- }
- else if (this.Database[key].SyncOptions == SyncOptions.None)
- {
+ if (!Database.ContainsKey(key))
+ Database[key] = new OfflineEntry(key, null, priority, SyncOptions.Pull);
+ else if (Database[key].SyncOptions == SyncOptions.None)
// pull only if push isn't pending
- this.Database[key].SyncOptions = SyncOptions.Pull;
- }
+ Database[key].SyncOptions = SyncOptions.Pull;
}
/// <summary>
@@ -146,26 +136,30 @@
/// </summary>
public async Task PullAsync()
{
- var existingEntries = await this.childQuery
+ var existingEntries = await childQuery
.OnceAsync<T>()
.ToObservable()
.RetryAfterDelay<IReadOnlyCollection<FirebaseObject<T>>, FirebaseException>(
- this.childQuery.Client.Options.SyncPeriod,
- ex => ex.StatusCode == System.Net.HttpStatusCode.OK) // OK implies the request couldn't complete due to network error.
- .Select(e => this.ResetDatabaseFromInitial(e, false))
+ childQuery.Client.Options.SyncPeriod,
+ ex => ex.StatusCode ==
+ System.Net.HttpStatusCode
+ .OK) // OK implies the request couldn't complete due to network error.
+ .Select(e => ResetDatabaseFromInitial(e, false))
.SelectMany(e => e)
- .Do(e =>
+ .Do(e =>
{
- this.Database[e.Key] = new OfflineEntry(e.Key, e.Object, 1, SyncOptions.None);
- this.subject.OnNext(new FirebaseEvent<T>(e.Key, e.Object, FirebaseEventType.InsertOrUpdate, FirebaseEventSource.OnlinePull));
+ Database[e.Key] = new OfflineEntry(e.Key, e.Object, 1, SyncOptions.None);
+ subject.OnNext(new FirebaseEvent<T>(e.Key, e.Object, FirebaseEventType.InsertOrUpdate,
+ FirebaseEventSource.OnlinePull));
})
.ToList();
// Remove items not stored online
- foreach (var item in this.Database.Keys.Except(existingEntries.Select(f => f.Key)).ToList())
+ foreach (var item in Database.Keys.Except(existingEntries.Select(f => f.Key)).ToList())
{
- this.Database.Remove(item);
- this.subject.OnNext(new FirebaseEvent<T>(item, null, FirebaseEventType.Delete, FirebaseEventSource.OnlinePull));
+ Database.Remove(item);
+ subject.OnNext(new FirebaseEvent<T>(item, null, FirebaseEventType.Delete,
+ FirebaseEventSource.OnlinePull));
}
}
@@ -174,7 +168,7 @@
/// </summary>
public IEnumerable<FirebaseObject<T>> Once()
{
- return this.Database
+ return Database
.Where(kvp => !string.IsNullOrEmpty(kvp.Value.Data) && kvp.Value.Data != "null" && !kvp.Value.IsPartial)
.Select(kvp => new FirebaseObject<T>(kvp.Key, kvp.Value.Deserialize<T>()))
.ToList();
@@ -186,67 +180,72 @@
/// <returns> Stream of <see cref="FirebaseEvent{T}"/>. </returns>
public IObservable<FirebaseEvent<T>> AsObservable()
{
- if (!this.isSyncRunning)
+ if (!isSyncRunning)
{
- this.isSyncRunning = true;
- Task.Factory.StartNew(this.SynchronizeThread, CancellationToken.None, TaskCreationOptions.LongRunning, TaskScheduler.Default);
+ isSyncRunning = true;
+ Task.Factory.StartNew(SynchronizeThread, CancellationToken.None, TaskCreationOptions.LongRunning,
+ TaskScheduler.Default);
}
- if (this.observable == null)
+ if (observable == null)
{
var initialData = Observable.Return(FirebaseEvent<T>.Empty(FirebaseEventSource.Offline));
- if(this.Database.TryGetValue(this.elementRoot, out OfflineEntry oe))
- {
+ if (Database.TryGetValue(elementRoot, out var oe))
initialData = Observable.Return(oe)
- .Where(offlineEntry => !string.IsNullOrEmpty(offlineEntry.Data) && offlineEntry.Data != "null" && !offlineEntry.IsPartial)
- .Select(offlineEntry => new FirebaseEvent<T>(offlineEntry.Key, offlineEntry.Deserialize<T>(), FirebaseEventType.InsertOrUpdate, FirebaseEventSource.Offline));
- }
- else if(this.Database.Count > 0)
- {
- initialData = this.Database
- .Where(kvp => !string.IsNullOrEmpty(kvp.Value.Data) && kvp.Value.Data != "null" && !kvp.Value.IsPartial)
- .Select(kvp => new FirebaseEvent<T>(kvp.Key, kvp.Value.Deserialize<T>(), FirebaseEventType.InsertOrUpdate, FirebaseEventSource.Offline))
+ .Where(offlineEntry =>
+ !string.IsNullOrEmpty(offlineEntry.Data) && offlineEntry.Data != "null" &&
+ !offlineEntry.IsPartial)
+ .Select(offlineEntry => new FirebaseEvent<T>(offlineEntry.Key, offlineEntry.Deserialize<T>(),
+ FirebaseEventType.InsertOrUpdate, FirebaseEventSource.Offline));
+ else if (Database.Count > 0)
+ initialData = Database
+ .Where(kvp =>
+ !string.IsNullOrEmpty(kvp.Value.Data) && kvp.Value.Data != "null" && !kvp.Value.IsPartial)
+ .Select(kvp => new FirebaseEvent<T>(kvp.Key, kvp.Value.Deserialize<T>(),
+ FirebaseEventType.InsertOrUpdate, FirebaseEventSource.Offline))
.ToList()
.ToObservable();
- }
- this.observable = initialData
- .Merge(this.subject)
- .Merge(this.GetInitialPullObservable()
- .RetryAfterDelay<IReadOnlyCollection<FirebaseObject<T>>, FirebaseException>(
- this.childQuery.Client.Options.SyncPeriod,
- ex => ex.StatusCode == System.Net.HttpStatusCode.OK) // OK implies the request couldn't complete due to network error.
- .Select(e => this.ResetDatabaseFromInitial(e))
- .SelectMany(e => e)
- .Do(this.SetObjectFromInitialPull)
- .Select(e => new FirebaseEvent<T>(e.Key, e.Object, e.Object == null ? FirebaseEventType.Delete : FirebaseEventType.InsertOrUpdate, FirebaseEventSource.OnlineInitial))
- .Concat(Observable.Create<FirebaseEvent<T>>(observer => this.InitializeStreamingSubscription(observer))))
- .Do(next => { }, e => this.observable = null, () => this.observable = null)
+ observable = initialData
+ .Merge(subject)
+ .Merge(GetInitialPullObservable()
+ .RetryAfterDelay<IReadOnlyCollection<FirebaseObject<T>>, FirebaseException>(
+ childQuery.Client.Options.SyncPeriod,
+ ex => ex.StatusCode ==
+ System.Net.HttpStatusCode
+ .OK) // OK implies the request couldn't complete due to network error.
+ .Select(e => ResetDatabaseFromInitial(e))
+ .SelectMany(e => e)
+ .Do(SetObjectFromInitialPull)
+ .Select(e => new FirebaseEvent<T>(e.Key, e.Object,
+ e.Object == null ? FirebaseEventType.Delete : FirebaseEventType.InsertOrUpdate,
+ FirebaseEventSource.OnlineInitial))
+ .Concat(Observable.Create<FirebaseEvent<T>>(observer =>
+ InitializeStreamingSubscription(observer))))
+ .Do(next => { }, e => observable = null, () => observable = null)
.Replay()
.RefCount();
}
- return this.observable;
+ return observable;
}
public void Dispose()
{
- this.subject.OnCompleted();
- this.firebaseSubscription?.Dispose();
+ subject.OnCompleted();
+ firebaseSubscription?.Dispose();
}
- private IReadOnlyCollection<FirebaseObject<T>> ResetDatabaseFromInitial(IReadOnlyCollection<FirebaseObject<T>> collection, bool onlyWhenInitialEverything = true)
+ private IReadOnlyCollection<FirebaseObject<T>> ResetDatabaseFromInitial(
+ IReadOnlyCollection<FirebaseObject<T>> collection, bool onlyWhenInitialEverything = true)
{
- if (onlyWhenInitialEverything && this.initialPullStrategy != InitialPullStrategy.Everything)
- {
- return collection;
- }
+ if (onlyWhenInitialEverything && initialPullStrategy != InitialPullStrategy.Everything) return collection;
// items which are in local db, but not in the online collection
- var extra = this.Once()
- .Select(f => f.Key)
- .Except(collection.Select(c => c.Key))
- .Select(k => new FirebaseObject<T>(k, null));
+ var extra = Once()
+ .Select(f => f.Key)
+ .Except(collection.Select(c => c.Key))
+ .Select(k => new FirebaseObject<T>(k, null));
return collection.Concat(extra).ToList();
}
@@ -257,57 +256,58 @@
// and the InitialPullStrategy != Everything
// this attempts to deal with scenario when you are offline, have local changes and go online
// in this case having the InitialPullStrategy set to everything would basically purge all local changes
- if (!this.Database.ContainsKey(e.Key) || this.Database[e.Key].SyncOptions == SyncOptions.None || this.Database[e.Key].SyncOptions == SyncOptions.Pull || this.initialPullStrategy != InitialPullStrategy.Everything)
- {
- this.Database[e.Key] = new OfflineEntry(e.Key, e.Object, 1, SyncOptions.None);
- }
+ if (!Database.ContainsKey(e.Key) || Database[e.Key].SyncOptions == SyncOptions.None ||
+ Database[e.Key].SyncOptions == SyncOptions.Pull ||
+ initialPullStrategy != InitialPullStrategy.Everything)
+ Database[e.Key] = new OfflineEntry(e.Key, e.Object, 1, SyncOptions.None);
}
private IObservable<IReadOnlyCollection<FirebaseObject<T>>> GetInitialPullObservable()
{
FirebaseQuery query;
- switch (this.initialPullStrategy)
+ switch (initialPullStrategy)
{
case InitialPullStrategy.MissingOnly:
- query = this.childQuery.OrderByKey().StartAt(() => this.GetLatestKey());
+ query = childQuery.OrderByKey().StartAt(() => GetLatestKey());
break;
case InitialPullStrategy.Everything:
- query = this.childQuery;
+ query = childQuery;
break;
case InitialPullStrategy.None:
default:
return Observable.Empty<IReadOnlyCollection<FirebaseEvent<T>>>();
}
- if (string.IsNullOrWhiteSpace(this.elementRoot))
- {
+ if (string.IsNullOrWhiteSpace(elementRoot))
return Observable.Defer(() => query.OnceAsync<T>().ToObservable());
- }
-
+
// there is an element root, which indicates the target location is not a collection but a single element
- return Observable.Defer(async () => Observable.Return(await query.OnceSingleAsync<T>()).Select(e => new[] { new FirebaseObject<T>(this.elementRoot, e) }));
+ return Observable.Defer(async () =>
+ Observable.Return(await query.OnceSingleAsync<T>())
+ .Select(e => new[] {new FirebaseObject<T>(elementRoot, e)}));
}
private IDisposable InitializeStreamingSubscription(IObserver<FirebaseEvent<T>> observer)
{
- var completeDisposable = Disposable.Create(() => this.isSyncRunning = false);
+ var completeDisposable = Disposable.Create(() => isSyncRunning = false);
- switch (this.streamingOptions)
+ switch (streamingOptions)
{
case StreamingOptions.LatestOnly:
// stream since the latest key
- var queryLatest = this.childQuery.OrderByKey().StartAt(() => this.GetLatestKey());
- this.firebaseSubscription = new FirebaseSubscription<T>(observer, queryLatest, this.elementRoot, this.firebaseCache);
- this.firebaseSubscription.ExceptionThrown += this.StreamingExceptionThrown;
+ var queryLatest = childQuery.OrderByKey().StartAt(() => GetLatestKey());
+ firebaseSubscription =
+ new FirebaseSubscription<T>(observer, queryLatest, elementRoot, firebaseCache);
+ firebaseSubscription.ExceptionThrown += StreamingExceptionThrown;
- return new CompositeDisposable(this.firebaseSubscription.Run(), completeDisposable);
+ return new CompositeDisposable(firebaseSubscription.Run(), completeDisposable);
case StreamingOptions.Everything:
// stream everything
- var queryAll = this.childQuery;
- this.firebaseSubscription = new FirebaseSubscription<T>(observer, queryAll, this.elementRoot, this.firebaseCache);
- this.firebaseSubscription.ExceptionThrown += this.StreamingExceptionThrown;
+ var queryAll = childQuery;
+ firebaseSubscription = new FirebaseSubscription<T>(observer, queryAll, elementRoot, firebaseCache);
+ firebaseSubscription.ExceptionThrown += StreamingExceptionThrown;
- return new CompositeDisposable(this.firebaseSubscription.Run(), completeDisposable);
+ return new CompositeDisposable(firebaseSubscription.Run(), completeDisposable);
default:
break;
}
@@ -315,43 +315,44 @@
return completeDisposable;
}
- private void SetAndRaise(string key, OfflineEntry obj, FirebaseEventSource eventSource = FirebaseEventSource.Offline)
+ private void SetAndRaise(string key, OfflineEntry obj,
+ FirebaseEventSource eventSource = FirebaseEventSource.Offline)
{
- this.Database[key] = obj;
- this.subject.OnNext(new FirebaseEvent<T>(key, obj?.Deserialize<T>(), string.IsNullOrEmpty(obj?.Data) || obj?.Data == "null" ? FirebaseEventType.Delete : FirebaseEventType.InsertOrUpdate, eventSource));
+ Database[key] = obj;
+ subject.OnNext(new FirebaseEvent<T>(key, obj?.Deserialize<T>(),
+ string.IsNullOrEmpty(obj?.Data) || obj?.Data == "null"
+ ? FirebaseEventType.Delete
+ : FirebaseEventType.InsertOrUpdate, eventSource));
}
private async void SynchronizeThread()
{
- while (this.isSyncRunning)
+ while (isSyncRunning)
{
try
{
- var validEntries = this.Database.Where(e => e.Value != null);
- await this.PullEntriesAsync(validEntries.Where(kvp => kvp.Value.SyncOptions == SyncOptions.Pull));
+ var validEntries = Database.Where(e => e.Value != null);
+ await PullEntriesAsync(validEntries.Where(kvp => kvp.Value.SyncOptions == SyncOptions.Pull));
- if (this.pushChanges)
- {
- await this.PushEntriesAsync(validEntries.Where(kvp => kvp.Value.SyncOptions == SyncOptions.Put || kvp.Value.SyncOptions == SyncOptions.Patch));
- }
+ if (pushChanges)
+ await PushEntriesAsync(validEntries.Where(kvp =>
+ kvp.Value.SyncOptions == SyncOptions.Put || kvp.Value.SyncOptions == SyncOptions.Patch));
}
catch (Exception ex)
{
- this.SyncExceptionThrown?.Invoke(this, new ExceptionEventArgs(ex));
+ SyncExceptionThrown?.Invoke(this, new ExceptionEventArgs(ex));
}
- await Task.Delay(this.childQuery.Client.Options.SyncPeriod);
+ await Task.Delay(childQuery.Client.Options.SyncPeriod);
}
}
private string GetLatestKey()
{
- var key = this.Database.OrderBy(o => o.Key, StringComparer.Ordinal).LastOrDefault().Key ?? string.Empty;
+ var key = Database.OrderBy(o => o.Key, StringComparer.Ordinal).LastOrDefault().Key ?? string.Empty;
if (!string.IsNullOrWhiteSpace(key))
- {
- key = key.Substring(0, key.Length - 1) + (char)(key[key.Length - 1] + 1);
- }
+ key = key.Substring(0, key.Length - 1) + (char) (key[key.Length - 1] + 1);
return key;
}
@@ -362,10 +363,11 @@
foreach (var group in groups)
{
- var tasks = group.OrderBy(kvp => kvp.Value.IsPartial).Select(kvp =>
- kvp.Value.IsPartial ?
- this.ResetSyncAfterPush(this.PutHandler.SetAsync(this.childQuery, kvp.Key, kvp.Value), kvp.Key) :
- this.ResetSyncAfterPush(this.PutHandler.SetAsync(this.childQuery, kvp.Key, kvp.Value), kvp.Key, kvp.Value.Deserialize<T>()));
+ var tasks = group.OrderBy(kvp => kvp.Value.IsPartial).Select(kvp =>
+ kvp.Value.IsPartial
+ ? ResetSyncAfterPush(PutHandler.SetAsync(childQuery, kvp.Key, kvp.Value), kvp.Key)
+ : ResetSyncAfterPush(PutHandler.SetAsync(childQuery, kvp.Key, kvp.Value), kvp.Key,
+ kvp.Value.Deserialize<T>()));
try
{
@@ -373,7 +375,7 @@
}
catch (Exception ex)
{
- this.SyncExceptionThrown?.Invoke(this, new ExceptionEventArgs(ex));
+ SyncExceptionThrown?.Invoke(this, new ExceptionEventArgs(ex));
}
}
}
@@ -384,15 +386,18 @@
foreach (var group in taskGroups)
{
- var tasks = group.Select(pair => this.ResetAfterPull(this.childQuery.Child(pair.Key == this.elementRoot ? string.Empty : pair.Key).OnceSingleAsync<T>(), pair.Key, pair.Value));
+ var tasks = group.Select(pair =>
+ ResetAfterPull(
+ childQuery.Child(pair.Key == elementRoot ? string.Empty : pair.Key).OnceSingleAsync<T>(),
+ pair.Key, pair.Value));
try
- {
+ {
await Task.WhenAll(tasks).WithAggregateException();
}
catch (Exception ex)
{
- this.SyncExceptionThrown?.Invoke(this, new ExceptionEventArgs(ex));
+ SyncExceptionThrown?.Invoke(this, new ExceptionEventArgs(ex));
}
}
}
@@ -400,46 +405,48 @@
private async Task ResetAfterPull(Task<T> task, string key, OfflineEntry entry)
{
await task;
- this.SetAndRaise(key, new OfflineEntry(key, task.Result, entry.Priority, SyncOptions.None), FirebaseEventSource.OnlinePull);
+ SetAndRaise(key, new OfflineEntry(key, task.Result, entry.Priority, SyncOptions.None),
+ FirebaseEventSource.OnlinePull);
}
private async Task ResetSyncAfterPush(Task task, string key, T obj)
{
- await this.ResetSyncAfterPush(task, key);
+ await ResetSyncAfterPush(task, key);
- if (this.streamingOptions == StreamingOptions.None)
- {
- this.subject.OnNext(new FirebaseEvent<T>(key, obj, obj == null ? FirebaseEventType.Delete : FirebaseEventType.InsertOrUpdate, FirebaseEventSource.OnlinePush));
- }
+ if (streamingOptions == StreamingOptions.None)
+ subject.OnNext(new FirebaseEvent<T>(key, obj,
+ obj == null ? FirebaseEventType.Delete : FirebaseEventType.InsertOrUpdate,
+ FirebaseEventSource.OnlinePush));
}
private async Task ResetSyncAfterPush(Task task, string key)
{
await task;
- this.ResetSyncOptions(key);
+ ResetSyncOptions(key);
}
private void ResetSyncOptions(string key)
{
- var item = this.Database[key];
+ var item = Database[key];
if (item.IsPartial)
{
- this.Database.Remove(key);
+ Database.Remove(key);
}
else
{
item.SyncOptions = SyncOptions.None;
- this.Database[key] = item;
+ Database[key] = item;
}
}
private void StreamingExceptionThrown(object sender, ExceptionEventArgs<FirebaseException> e)
{
- this.SyncExceptionThrown?.Invoke(this, new ExceptionEventArgs(e.Exception));
+ SyncExceptionThrown?.Invoke(this, new ExceptionEventArgs(e.Exception));
}
- private Tuple<string, string, bool> GenerateFullKey<TProperty>(string key, Expression<Func<T, TProperty>> propertyGetter, SyncOptions syncOptions)
+ private Tuple<string, string, bool> GenerateFullKey<TProperty>(string key,
+ Expression<Func<T, TProperty>> propertyGetter, SyncOptions syncOptions)
{
var visitor = new MemberAccessVisitor();
visitor.Visit(propertyGetter);
@@ -447,13 +454,14 @@
var prefix = key == string.Empty ? string.Empty : key + "/";
// primitive types
- if (syncOptions == SyncOptions.Patch && (propertyType.IsPrimitive || Nullable.GetUnderlyingType(typeof(TProperty)) != null || typeof(TProperty) == typeof(string)))
- {
- return Tuple.Create(prefix + string.Join("/", visitor.PropertyNames.Skip(1).Reverse()), visitor.PropertyNames.First(), true);
- }
-
- return Tuple.Create(prefix + string.Join("/", visitor.PropertyNames.Reverse()), visitor.PropertyNames.First(), false);
+ if (syncOptions == SyncOptions.Patch && (propertyType.IsPrimitive ||
+ Nullable.GetUnderlyingType(typeof(TProperty)) != null ||
+ typeof(TProperty) == typeof(string)))
+ return Tuple.Create(prefix + string.Join("/", visitor.PropertyNames.Skip(1).Reverse()),
+ visitor.PropertyNames.First(), true);
+
+ return Tuple.Create(prefix + string.Join("/", visitor.PropertyNames.Reverse()),
+ visitor.PropertyNames.First(), false);
}
-
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/SetHandler.cs b/FireBase/Offline/SetHandler.cs
index 1efa7b6..18a5131 100644
--- a/FireBase/Offline/SetHandler.cs
+++ b/FireBase/Offline/SetHandler.cs
@@ -1,7 +1,6 @@
namespace Firebase.Database.Offline
{
- using Firebase.Database.Query;
-
+ using Query;
using System.Threading.Tasks;
public class SetHandler<T> : ISetHandler<T>
@@ -11,14 +10,10 @@
using (var child = query.Child(key))
{
if (entry.SyncOptions == SyncOptions.Put)
- {
await child.PutAsync(entry.Data);
- }
else
- {
await child.PatchAsync(entry.Data);
- }
}
}
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/StreamingOptions.cs b/FireBase/Offline/StreamingOptions.cs
index 9ed4e54..4a5f7b8 100644
--- a/FireBase/Offline/StreamingOptions.cs
+++ b/FireBase/Offline/StreamingOptions.cs
@@ -18,4 +18,4 @@
/// </summary>
Everything
}
-}
+} \ No newline at end of file
diff --git a/FireBase/Offline/SyncOptions.cs b/FireBase/Offline/SyncOptions.cs
index b2f382a..aa3e21c 100644
--- a/FireBase/Offline/SyncOptions.cs
+++ b/FireBase/Offline/SyncOptions.cs
@@ -25,4 +25,4 @@
/// </summary>
Patch
}
-}
+} \ No newline at end of file