-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathDocumentDBRepository.cs
261 lines (220 loc) · 14 KB
/
DocumentDBRepository.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using System.Configuration;
using Microsoft.Azure.Documents.Client;
using Microsoft.Azure.Documents.Linq;
using Newtonsoft.Json;
using Microsoft.Azure.Documents;
using UrlNotes.Models;
using Microsoft.Extensions.Configuration;
using System.IO;
namespace UrlNotes
{
public static class DocumentDBRepository
{
private static DocumentClient client;
private static Dictionary<string, string> config;
static DocumentDBRepository()
{
GetConfiguration();
client = new DocumentClient(new Uri(config["endpoint"]), config["authkey"]);
}
public static async Task<string> GetAllDocs<T>(string collectionName)
{
var q = client.CreateDocumentQuery<T>(GetCollectionUri(collectionName), new FeedOptions { MaxItemCount = -1, EnableCrossPartitionQuery = true })
.Select(item => item)
.AsDocumentQuery();
List<T> results = new List<T>();
while (q.HasMoreResults)
{
results.AddRange(await q.ExecuteNextAsync<T>());
}
return JsonConvert.SerializeObject(results);
}
public static async Task<List<string>> GetDBCollections()
{
bool dbExists = CheckDBExists();
if (!dbExists)
{
CreateDB().Wait();
await CreateCollections();
InsertDocuments();
}
IEnumerable<string> collectionNames;
try
{
var colls = await client.ReadDocumentCollectionFeedAsync(UriFactory.CreateDatabaseUri(config["database"]));
collectionNames = from x in colls
select x.Id;
}
catch (Exception ex)
{
throw;
}
return collectionNames.ToList<string>();
}
private static async Task CreateCollections()
{
var videoCollection = await client.CreateDocumentCollectionAsync(UriFactory.CreateDatabaseUri(config["database"]), new DocumentCollection { Id = "Videos" });
var docsCollectionn = await client.CreateDocumentCollectionAsync(UriFactory.CreateDatabaseUri(config["database"]), new DocumentCollection { Id = "Docs" });
}
private static bool CheckDBExists()
{
var dbId = config["database"] ?? "NotesDB";
Database database = client.CreateDatabaseQuery().Where(db => db.Id == dbId).ToArray().FirstOrDefault();
if (database != null)
{
return true;
}
else
{
return false;
}
}
public static async void CreateDocument<T>(T item, string collectionName) where T : Item
{
await client.CreateDocumentAsync((GetCollectionUri(collectionName)), item);
}
public static string Search<T>(string collectionName, string searchTerms, string searchText)
{
FeedOptions queryOptions = new FeedOptions { MaxItemCount = -1, EnableCrossPartitionQuery = true };
var terms = searchTerms.Trim().Split(' ');
var contains = terms.Select(x => string.Format("CONTAINS({0}, @{1})", x == "keywords" ? "k.name" : "item." + x, x)).ToArray();
var q = new SqlQuerySpec
{
QueryText = "SELECT VALUE item FROM item JOIN k IN item.keywords WHERE " + contains[0],
Parameters = new SqlParameterCollection()
{
new SqlParameter("@" + terms[0].ToLower(), searchText)
}
};
if (terms.Length > 2 && contains.Length > 2)
{
q.Parameters.Add(new SqlParameter("@" + terms[1], searchText));
q.QueryText += " OR " + contains[1];
}
List<T> queryResult = (client.CreateDocumentQuery<T>(
GetCollectionUri(collectionName),
q,
queryOptions)).ToList();
return JsonConvert.SerializeObject(queryResult);
}
public static async void DeleteDocument(string id, string collectionName)
{
var doc = GetDocumentItem<Item>(id, collectionName);
await client.DeleteDocumentAsync(UriFactory.CreateDocumentUri(config["database"], collectionName, id));
}
public static async void EditDocument(Item item, string collectionName)
{
var doc = GetDocument(item.Id, collectionName);
doc.SetPropertyValue("notes", item.Notes);
doc.SetPropertyValue("tutorial", item.IsTutorial);
Document updated = await client.ReplaceDocumentAsync(doc);
}
public static Document GetDocument(string id, string collectionName)
{
var doc = client.CreateDocumentQuery<Document>(GetCollectionUri(collectionName), new FeedOptions { EnableCrossPartitionQuery = true })
.Where(r => r.Id == id)
.AsEnumerable()
.SingleOrDefault();
return doc;
}
public static T GetDocumentItem<T>(string id, string collectionName) where T : Item
{
var docItem = client.CreateDocumentQuery<T>(GetCollectionUri(collectionName), new FeedOptions { EnableCrossPartitionQuery = true })
.Where(r => r.Id == id)
.AsEnumerable()
.SingleOrDefault();
return docItem;
}
public static void GetConfiguration()
{
var builder = new ConfigurationBuilder()
.SetBasePath(Directory.GetCurrentDirectory())
.AddJsonFile("appsettings.json", optional: true, reloadOnChange: true);
builder = builder.AddJsonFile($"appsettings.ConnectionStrings.json", optional: true);
builder = builder.AddEnvironmentVariables();
var configBuilder = builder.Build();
config = new Dictionary<string, string>
{
{ "database", configBuilder.GetConnectionString("database") ?? "NotesDB" },
{ "authkey", configBuilder.GetConnectionString("authkey") },
{ "endpoint", configBuilder.GetConnectionString("endpoint") }
};
}
public static Uri GetCollectionUri(string collectionName)
{
return UriFactory.CreateDocumentCollectionUri(config["database"], collectionName);
}
private async static Task CreateDB()
{
try
{
Database database = await client.CreateDatabaseIfNotExistsAsync(new Database { Id = "NotesDB" });
config["database"] = database.Id;
}
catch (Exception)
{
throw;
}
}
private static void InsertDocuments()
{
Video[] starterVideos = {
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/The-Open-Source-Show/Part-1-of-4-Overview-of-existing-tools-to-create-Azure-Container-Service-clusters", IsTutorial = true, Notes = "First of four-part series on Azure Container Service" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/The-Open-Source-Show/Part-2-of-4-Create-an-Azure-Container-Instance-with-the-container-image", IsTutorial = true }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/The-Open-Source-Show/Part-3-of-4-Create-a-Web-App-for-Containers-and-set-up-a-web-hook", IsTutorial = true }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/The-Open-Source-Show/Part-4-of-4-Use-Azure-Container-Registry", IsTutorial = true }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/This+Week+On+Channel+9/TWC9-Windows-Developer-Awards-Voting-Opens-AI-courses-from-Microsoft-Serial-Console-Access-in-Azure-" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/Azure-Friday/Metaparticle", Notes = "Metaparticle sounds cool!" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/XamarinShow/Building-the-New-MSN-News-App-with-Xamarin" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/5-Things/Episode-12-Five-Things-About-Docker", IsTutorial = false }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/XamarinShow/Scalable--Service-Data-with-CosmosDB-for-Mobile", IsTutorial = false }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/Tech-Crumbs/Starting-with-CosmosDB", IsTutorial = true }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/Visual-Studio-Toolbox/CosmosDB-Serverless-NoSQL-for-the-NET-Developer" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/On-NET/Jeremy-Likness-CosmosDB-and-NET-Core", IsTutorial = true }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/Azure-Friday/Whats-New-in-Azure-Cosmos-DB", Notes = "Info on what's happening with CosmosDB!" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/Level-Up/Azure-Cosmos-DB-Comprehensive-Overview", IsTutorial = false }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/Level-Up/Azure-Container-Instances-for-Multiplayer-Gaming-Theater", Notes = "Info on how to use containers with games" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/Level-Up/Planning-and-building-games-using-the-full-power-of-VSTS-Agile-CI--CD-end-to-end-demo" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/Internet-of-Things-Show/Azure-IoT-Toolkit-extension-for-Visual-Studio-Code" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/This+Week+On+Channel+9/TWC9-Connect-Next-Week-Picking-the-Right-Azure-VM-Star-Wars-Video-Cards-Life-After-the-Uniform-and-m" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Blogs/Azure/Log-Alerts-for-Application-Insights-Preview" }),
new Video(new Item() { stringUrl = "https://channel9.msdn.com/Shows/AI-Show/The-Simplest-Machine-Learning" })
};
foreach (var item in starterVideos)
{
CreateDocument(item, "Videos");
}
var Docs = new List<Doc>();
Doc[] starterDocs = {
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/event-grid", IsTutorial = false, Notes = "Event Grid is very interesting! Look at this later"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/cosmos-db/create-sql-api-dotnet", IsTutorial = true}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/app-service/app-service-web-tutorial-rest-api", IsTutorial = true}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/app-service/scripts/app-service-cli-backup-onetime", IsTutorial = true}),
new Doc(new Item() { stringUrl = "https://azure.microsoft.com/en-us/overview/serverless-computing", IsTutorial = false, Notes = "Intro to serverless computing"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/app-service/app-service-web-overview", IsTutorial = false}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/cosmos-db/query-cheat-sheet"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/cosmos-db/20-days-of-tips", IsTutorial = true}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/cosmos-db/faq"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/cosmos-db/manage-account"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/azure-functions/functions-twitter-email"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/azure-functions/functions-create-github-webhook-triggered-function", IsTutorial = true, Notes = "GitHub webhook triggered Azure Functions"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/azure-functions/scripts/functions-cli-create-function-app-vsts-continuous", IsTutorial = true}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/azure-functions/durable-functions-overview"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/azure-functions/functions-app-settings"}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/event-grid/resize-images-on-storage-blob-upload-event", IsTutorial = true}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/event-grid/concepts", Notes = "Basic concepts on event grid.", IsTutorial = false}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/cognitive-services/computer-vision/quickstarts/csharp", Notes = "Quickstarts to get started with Azure Cognitive Services", IsTutorial = true}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/azure-functions/functions-create-serverless-api", IsTutorial = true}),
new Doc(new Item() { stringUrl = "https://docs.microsoft.com/en-us/azure/cosmos-db/sql-api-dotnetcore-get-started", IsTutorial = true})
};
foreach (var item in starterDocs)
{
CreateDocument(item, "Docs");
}
}
}
}