content
stringlengths 5
1.04M
| avg_line_length
float64 1.75
12.9k
| max_line_length
int64 2
244k
| alphanum_fraction
float64 0
0.98
| licenses
sequence | repository_name
stringlengths 7
92
| path
stringlengths 3
249
| size
int64 5
1.04M
| lang
stringclasses 2
values |
---|---|---|---|---|---|---|---|---|
using System;
using System.Text.RegularExpressions;
namespace AS
{
class Program
{
static void Main(string[] args)
{
static int Wurfel()
{
Random random = new Random();
int zufall = random.Next(1, 7);
return zufall;
}
static void Pasch(int z)
{
int a1 = Wurfel();
LEER2();
Console.WriteLine("ERSTER WÜRFEL:");
Console.WriteLine(a1);
LEER2();
if (a1 == 6)
{
z++;
}
int a2 = Wurfel();
Console.WriteLine("ZWEITER WÜRFEL:");
Console.WriteLine(a2);
if (a2 == 6)
{
z++;
}
if (a1 != a2)
{
LEER2();
Console.WriteLine("ZUSAMMEN ERGIEBT DAS:");
a1 = a1;
int a10 = a2 + a1;
Console.WriteLine(a10);
LEER2();
Console.WriteLine("Willst du noch einmal Ja/Nein");
LEER2();
var userinput = Console.ReadLine();
while (!Regex.IsMatch(userinput, "(J|ja|A)|(N|n)(E|e)(I|i)(N|n)"))
{
LEER2();
Console.WriteLine("Willst du noch einmal?" +
" Antworte mit Ja oder Nein");
LEER2();
userinput = Console.ReadLine();
LEER2();
}
if (Regex.IsMatch(userinput, "(J|ja|A)"))// userinput == "Ja" | userinput == "JA" | userinput == "ja")
{
Pasch(z);
}
if (Regex.IsMatch(userinput, "(N|n|E|e|I|i|N|n)"))
{
LEER2();
Console.WriteLine("ne es ist nicht wierd ein unendliches würfel spiel gemacht");
}
}
if (a1 == a2)
{
LEER2();
Console.WriteLine("DU HAST EINEN PASCH GEWÜRFELT WILLST DU EINEN EXTRA WURF ODER PUNKTE");
Console.WriteLine("ANTWORTEN SIE MIT JA FÜR 4 PUNKTE UND NEIN FÜR EINEN EXTRA WURF WENN DIESER WURf DIE GLEICHE ZAHL HAT VON EINEN DEINER VORHERIGEN " +
"WÜRFEN BEKOMMST DU AUTOMATISCH NOCH EINEN");
LEER2();
var x = Console.ReadLine();
LEER2();
while (!Regex.IsMatch(x, "(J|ja|A)|(N|n|E|e|I|i|N|n)"))
{
Console.WriteLine("Gibt ja oder Nein ein");
LEER2();
x = Console.ReadLine();
LEER2();
}
if (Regex.IsMatch(x, "(J|ja|A)"))
{
a1 = a1 + 4;
int a6 = a2 + a1;
Console.WriteLine("ZUSAMMEN ERGIEBT DAS:");
Console.WriteLine(a6);
LEER2();
}
if (Regex.IsMatch(x, "(N|n)(E|e)(I|i)(N|n)"))
{
int a4 = Wurfel();
Console.WriteLine(a4);
LEER2();
if (a4 == 6)
{
z++;
}
if (a4 == a1)
{
Console.WriteLine("Du hast einen Weiteren Pasch");
LEER2();
int a5 = Wurfel();
Console.WriteLine(a5);
LEER2();
a5 = a1 + a2 + a4 + a5;
Console.WriteLine("Dein ergebnis ist " + a5 + " Du hattest aber Wirklich Glück");
LEER2();
}
else
{
a4 = a1 + a2 + a4;
Console.WriteLine("Dein Endergebnis beträgt " + a4);
LEER2();
Console.WriteLine("Du hast Sechser gewürfelt deine Insgesamten secher sind" + z);
LEER2();
}
}
}
}Pasch(0);
static void LEER2()
{
Console.ResetColor();
Console.ForegroundColor = ConsoleColor.DarkRed;
Console.WriteLine("=======================================================================================================================");
Console.ResetColor();
Console.ForegroundColor = ConsoleColor.Yellow;
}
}
}
}
| 32.321212 | 173 | 0.322708 | [
"MIT"
] | BluefoxLP/Pasch-c- | Pasch_C#/AS/Program.cs | 5,345 | C# |
namespace FubuMVC.Core.Runtime.Conditionals
{
public interface IConditional
{
bool ShouldExecute();
}
} | 18.428571 | 44 | 0.643411 | [
"Apache-2.0"
] | DovetailSoftware/fubumvc | src/FubuMVC.Core/Runtime/Conditionals/IConditional.cs | 129 | C# |
// <copyright file="ZipkinActivityConversionTest.cs" company="OpenTelemetry Authors">
// Copyright The OpenTelemetry Authors
//
// 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.
// </copyright>
using System;
using System.Linq;
using OpenTelemetry.Exporter.Zipkin.Implementation;
using OpenTelemetry.Trace;
using Xunit;
namespace OpenTelemetry.Exporter.Zipkin.Tests.Implementation
{
public class ZipkinActivityConversionTest
{
private const string ZipkinSpanName = "Name";
private static readonly ZipkinEndpoint DefaultZipkinEndpoint = new ZipkinEndpoint("TestService");
[Fact]
public void ToZipkinSpan_AllPropertiesSet()
{
// Arrange
var activity = ZipkinExporterTests.CreateTestActivity();
// Act & Assert
var zipkinSpan = activity.ToZipkinSpan(DefaultZipkinEndpoint);
Assert.Equal(ZipkinSpanName, zipkinSpan.Name);
Assert.Equal(activity.TraceId.ToHexString(), zipkinSpan.TraceId);
Assert.Equal(activity.SpanId.ToHexString(), zipkinSpan.Id);
Assert.Equal(activity.StartTimeUtc.ToEpochMicroseconds(), zipkinSpan.Timestamp);
Assert.Equal((long)(activity.Duration.TotalMilliseconds * 1000), zipkinSpan.Duration);
int counter = 0;
var tagsArray = zipkinSpan.Tags.Value.ToArray();
foreach (var tags in activity.TagObjects)
{
Assert.Equal(tagsArray[counter].Key, tags.Key);
Assert.Equal(tagsArray[counter++].Value, tags.Value);
}
foreach (var annotation in zipkinSpan.Annotations)
{
// Timestamp is same in both events
Assert.Equal(activity.Events.First().Timestamp.ToEpochMicroseconds(), annotation.Timestamp);
}
}
[Fact]
public void ToZipkinSpan_NoEvents()
{
// Arrange
var activity = ZipkinExporterTests.CreateTestActivity(addEvents: false);
// Act & Assert
var zipkinSpan = activity.ToZipkinSpan(DefaultZipkinEndpoint);
Assert.Equal(ZipkinSpanName, zipkinSpan.Name);
Assert.Empty(zipkinSpan.Annotations.Value);
Assert.Equal(activity.TraceId.ToHexString(), zipkinSpan.TraceId);
Assert.Equal(activity.SpanId.ToHexString(), zipkinSpan.Id);
int counter = 0;
var tagsArray = zipkinSpan.Tags.Value.ToArray();
foreach (var tags in activity.TagObjects)
{
Assert.Equal(tagsArray[counter].Key, tags.Key);
Assert.Equal(tagsArray[counter++].Value, tags.Value);
}
Assert.Equal(activity.StartTimeUtc.ToEpochMicroseconds(), zipkinSpan.Timestamp);
Assert.Equal((long)activity.Duration.TotalMilliseconds * 1000, zipkinSpan.Duration);
}
[Theory]
[InlineData(StatusCode.Unset, false)]
[InlineData(StatusCode.Ok, false)]
[InlineData(StatusCode.Error, true)]
public void ToZipkinSpan_Status_ErrorFlagTest(StatusCode statusCode, bool hasErrorFlag)
{
var status = statusCode switch
{
StatusCode.Unset => Status.Unset,
StatusCode.Ok => Status.Ok,
StatusCode.Error => Status.Error,
_ => throw new InvalidOperationException(),
};
// Arrange
var activity = ZipkinExporterTests.CreateTestActivity(status: status);
// Act
var zipkinSpan = activity.ToZipkinSpan(DefaultZipkinEndpoint);
// Assert
if (hasErrorFlag)
{
Assert.Contains(zipkinSpan.Tags.Value, t => t.Key == "error" && (string)t.Value == "true");
}
else
{
Assert.DoesNotContain(zipkinSpan.Tags.Value, t => t.Key == "error");
}
}
}
}
| 36.721311 | 108 | 0.624554 | [
"Apache-2.0"
] | ovebastiansen/opentelemetry-dotnet | test/OpenTelemetry.Exporter.Zipkin.Tests/Implementation/ZipkinActivityConversionTest.cs | 4,480 | C# |
/* Copyright © 2020 Lee Kelleher.
* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at https://mozilla.org/MPL/2.0/. */
using System.Collections.Generic;
using System.Globalization;
using System.Linq;
#if NET472
using Umbraco.Core;
using Umbraco.Core.PropertyEditors;
#else
using Umbraco.Cms.Core.PropertyEditors;
using Umbraco.Extensions;
#endif
namespace Umbraco.Community.Contentment.DataEditors
{
public sealed class CountriesDataListSource : IDataListSource
{
public string Name => ".NET Countries (ISO 3166-1)";
public string Description => "All the countries available in the .NET Framework, (as installed on the web server).";
public string Icon => "icon-globe-inverted-europe-africa";
public string Group => Constants.Conventions.DataSourceGroups.DotNet;
public IEnumerable<ConfigurationField> Fields => default;
public Dictionary<string, object> DefaultValues => default;
public OverlaySize OverlaySize => OverlaySize.Small;
public IEnumerable<DataListItem> GetItems(Dictionary<string, object> config)
{
return CultureInfo
.GetCultures(CultureTypes.SpecificCultures)
.Select(x => new RegionInfo(x.LCID))
.DistinctBy(x => x.TwoLetterISORegionName)
.Where(x => x.TwoLetterISORegionName.Length == 2) // NOTE: Removes odd "countries" such as Caribbean (029), Europe (150), Latin America (419) and World (001).
.OrderBy(x => x.EnglishName)
.Select(x => new DataListItem
{
Name = x.EnglishName,
Value = x.TwoLetterISORegionName
});
}
}
}
| 36.156863 | 174 | 0.654555 | [
"MPL-2.0",
"MPL-2.0-no-copyleft-exception"
] | CarlSargunar/umbraco-contentment | src/Umbraco.Community.Contentment/DataEditors/DataList/DataSources/CountriesDataListSource.cs | 1,847 | C# |
namespace Aoc2018.Day15.Common
{
public static class MathUtil
{
public static int Abs(int a)
{
return a >= 0 ? a : -a;
}
}
}
| 15.818182 | 36 | 0.482759 | [
"MIT"
] | basverweij/aoc2018 | Aoc2018.Day15/Common/MathUtil.cs | 176 | C# |
// Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License.
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Azure.AI.MetricsAdvisor.Administration;
using Azure.AI.MetricsAdvisor.Models;
using Azure.Core.TestFramework;
using NUnit.Framework;
namespace Azure.AI.MetricsAdvisor.Tests
{
public class NotificationHookLiveTests : MetricsAdvisorLiveTestBase
{
public NotificationHookLiveTests(bool isAsync) : base(isAsync)
{
}
[RecordedTest]
[TestCase(true)]
[TestCase(false)]
public async Task CreateAndGetEmailNotificationHookWithMinimumSetup(bool useTokenCredential)
{
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient(useTokenCredential);
string hookName = Recording.GenerateAlphaNumericId("hook");
var emailsToAlert = new List<string>() { "[email protected]", "[email protected]" };
var hookToCreate = new EmailNotificationHook(hookName, emailsToAlert);
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
NotificationHook createdHook = await adminClient.GetHookAsync(disposableHook.Id);
Assert.That(createdHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(createdHook.Name, Is.EqualTo(hookName));
Assert.That(createdHook.Description, Is.Empty);
Assert.That(createdHook.ExternalLink, Is.Empty);
Assert.That(createdHook.Administrators, Is.Not.Null);
Assert.That(createdHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
var createdEmailHook = createdHook as EmailNotificationHook;
Assert.That(createdEmailHook, Is.Not.Null);
Assert.That(createdEmailHook.EmailsToAlert, Is.EquivalentTo(emailsToAlert));
}
[RecordedTest]
public async Task CreateAndGetEmailNotificationHookWithOptionalMembers()
{
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var emailsToAlert = new List<string>() { "[email protected]", "[email protected]" };
var description = "This hook was created to test the .NET client.";
var hookToCreate = new EmailNotificationHook(hookName, emailsToAlert)
{
Description = description,
ExternalLink = "http://fake.endpoint.com"
};
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
NotificationHook createdHook = await adminClient.GetHookAsync(disposableHook.Id);
Assert.That(createdHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(createdHook.Name, Is.EqualTo(hookName));
Assert.That(createdHook.Description, Is.EqualTo(description));
Assert.That(createdHook.ExternalLink, Is.EqualTo("http://fake.endpoint.com"));
Assert.That(createdHook.Administrators, Is.Not.Null);
Assert.That(createdHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
var createdEmailHook = createdHook as EmailNotificationHook;
Assert.That(createdEmailHook, Is.Not.Null);
Assert.That(createdEmailHook.EmailsToAlert, Is.EquivalentTo(emailsToAlert));
}
[RecordedTest]
public async Task CreateAndGetWebNotificationHookWithMinimumSetup()
{
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var hookToCreate = new WebNotificationHook(hookName, "http://contoso.com");
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
NotificationHook createdHook = await adminClient.GetHookAsync(disposableHook.Id);
Assert.That(createdHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(createdHook.Name, Is.EqualTo(hookName));
Assert.That(createdHook.Description, Is.Empty);
Assert.That(createdHook.ExternalLink, Is.Empty);
Assert.That(createdHook.Administrators, Is.Not.Null);
Assert.That(createdHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
var createdWebHook = createdHook as WebNotificationHook;
Assert.That(createdWebHook, Is.Not.Null);
Assert.That(createdWebHook.Endpoint, Is.EqualTo("http://contoso.com"));
Assert.That(createdWebHook.CertificateKey, Is.Empty);
Assert.That(createdWebHook.CertificatePassword, Is.Empty);
Assert.That(createdWebHook.Username, Is.Empty);
Assert.That(createdWebHook.Password, Is.Empty);
Assert.That(createdWebHook.Headers, Is.Not.Null.And.Empty);
}
[RecordedTest]
public async Task CreateAndGetWebNotificationHookWithOptionalMembers()
{
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var endpoint = "http://contoso.com";
var description = "This hook was created to test the .NET client.";
var headers = new Dictionary<string, string>()
{
{ "key1", "value1" },
{ "key2", "value2" }
};
var hookToCreate = new WebNotificationHook(hookName, endpoint)
{
Description = description,
ExternalLink = "http://fake.endpoint.com",
// TODO: add CertificateKey validation (https://github.com/Azure/azure-sdk-for-net/issues/17485)
CertificatePassword = "certPassword",
Username = "fakeUsername",
Password = "fakePassword",
Headers = headers
};
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
NotificationHook createdHook = await adminClient.GetHookAsync(disposableHook.Id);
Assert.That(createdHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(createdHook.Name, Is.EqualTo(hookName));
Assert.That(createdHook.Description, Is.EqualTo(description));
Assert.That(createdHook.ExternalLink, Is.EqualTo("http://fake.endpoint.com"));
Assert.That(createdHook.Administrators, Is.Not.Null);
Assert.That(createdHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
var createdWebHook = createdHook as WebNotificationHook;
Assert.That(createdWebHook, Is.Not.Null);
Assert.That(createdWebHook.Endpoint, Is.EqualTo(endpoint));
// TODO: add CertificateKey validation (https://github.com/Azure/azure-sdk-for-net/issues/17485)
Assert.That(createdWebHook.CertificatePassword, Is.EqualTo("certPassword"));
Assert.That(createdWebHook.Username, Is.EqualTo("fakeUsername"));
Assert.That(createdWebHook.Password, Is.EqualTo("fakePassword"));
Assert.That(createdWebHook.Headers, Is.EquivalentTo(headers));
}
[RecordedTest]
[TestCase(true)]
[TestCase(false)]
public async Task UpdateEmailNotificationHookWithMinimumSetupAndGetInstance(bool useTokenCredential)
{
// Create a hook.
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient(useTokenCredential);
string hookName = Recording.GenerateAlphaNumericId("hook");
var emailsToAlert = new List<string>() { "[email protected]", "[email protected]" };
var hookToCreate = new EmailNotificationHook(hookName, emailsToAlert);
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
// Update the created hook.
var hookToUpdate = (await adminClient.GetHookAsync(disposableHook.Id)).Value as EmailNotificationHook;
hookToUpdate.EmailsToAlert.Add("[email protected]");
await adminClient.UpdateHookAsync(disposableHook.Id, hookToUpdate);
// Get the hook and check if updates are in place.
var updatedEmailHook = (await adminClient.GetHookAsync(disposableHook.Id)).Value as EmailNotificationHook;
Assert.That(updatedEmailHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(updatedEmailHook.Name, Is.EqualTo(hookName));
Assert.That(updatedEmailHook.Description, Is.Empty);
Assert.That(updatedEmailHook.ExternalLink, Is.Empty);
Assert.That(updatedEmailHook.Administrators, Is.Not.Null);
Assert.That(updatedEmailHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
var expectedEmailsToAlert = new List<string>() { "[email protected]", "[email protected]", "[email protected]" };
Assert.That(updatedEmailHook.EmailsToAlert, Is.EquivalentTo(expectedEmailsToAlert));
}
[RecordedTest]
public async Task UpdateEmailNotificationHookWithMinimumSetupAndNewInstance()
{
// Create a hook.
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var emailsToAlert = new List<string>() { "[email protected]", "[email protected]" };
var hookToCreate = new EmailNotificationHook(hookName, emailsToAlert);
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
// Update the created hook.
var hookToUpdate = new EmailNotificationHook(hookName, emailsToAlert);
hookToUpdate.EmailsToAlert.Add("[email protected]");
await adminClient.UpdateHookAsync(disposableHook.Id, hookToUpdate);
// Get the hook and check if updates are in place.
var updatedEmailHook = (await adminClient.GetHookAsync(disposableHook.Id)).Value as EmailNotificationHook;
Assert.That(updatedEmailHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(updatedEmailHook.Name, Is.EqualTo(hookName));
Assert.That(updatedEmailHook.Description, Is.Empty);
Assert.That(updatedEmailHook.ExternalLink, Is.Empty);
Assert.That(updatedEmailHook.Administrators, Is.Not.Null);
Assert.That(updatedEmailHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
var expectedEmailsToAlert = new List<string>() { "[email protected]", "[email protected]", "[email protected]" };
Assert.That(updatedEmailHook.EmailsToAlert, Is.EquivalentTo(expectedEmailsToAlert));
}
[RecordedTest]
public async Task UpdateEmailNotificationHookWithEveryMemberAndGetInstance()
{
// Create a hook.
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var emailsToAlert = new List<string>() { "[email protected]", "[email protected]" };
var description = "This hook was created to test the .NET client.";
var hookToCreate = new EmailNotificationHook(hookName, emailsToAlert);
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
// Update the created hook.
var hookToUpdate = (await adminClient.GetHookAsync(disposableHook.Id)).Value as EmailNotificationHook;
hookToUpdate.Description = description;
hookToUpdate.ExternalLink = "http://fake.endpoint.com";
hookToUpdate.EmailsToAlert.Add("[email protected]");
await adminClient.UpdateHookAsync(disposableHook.Id, hookToUpdate);
// Get the hook and check if updates are in place.
var updatedEmailHook = (await adminClient.GetHookAsync(disposableHook.Id)).Value as EmailNotificationHook;
Assert.That(updatedEmailHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(updatedEmailHook.Name, Is.EqualTo(hookName));
Assert.That(updatedEmailHook.Description, Is.EqualTo(description));
Assert.That(updatedEmailHook.ExternalLink, Is.EqualTo("http://fake.endpoint.com"));
Assert.That(updatedEmailHook.Administrators, Is.Not.Null);
Assert.That(updatedEmailHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
var expectedEmailsToAlert = new List<string>() { "[email protected]", "[email protected]", "[email protected]" };
Assert.That(updatedEmailHook.EmailsToAlert, Is.EquivalentTo(expectedEmailsToAlert));
}
[RecordedTest]
public async Task UpdateEmailNotificationHookWithEveryMemberAndNewInstance()
{
// Create a hook.
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var emailsToAlert = new List<string>() { "[email protected]", "[email protected]" };
var description = "This hook was created to test the .NET client.";
var hookToCreate = new EmailNotificationHook(hookName, emailsToAlert);
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
// Update the created hook.
var hookToUpdate = new EmailNotificationHook(hookName, emailsToAlert);
hookToUpdate.Description = description;
hookToUpdate.ExternalLink = "http://fake.endpoint.com";
hookToUpdate.EmailsToAlert.Add("[email protected]");
await adminClient.UpdateHookAsync(disposableHook.Id, hookToUpdate);
// Get the hook and check if updates are in place.
var updatedEmailHook = (await adminClient.GetHookAsync(disposableHook.Id)).Value as EmailNotificationHook;
Assert.That(updatedEmailHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(updatedEmailHook.Name, Is.EqualTo(hookName));
Assert.That(updatedEmailHook.Description, Is.EqualTo(description));
Assert.That(updatedEmailHook.ExternalLink, Is.EqualTo("http://fake.endpoint.com"));
Assert.That(updatedEmailHook.Administrators, Is.Not.Null);
Assert.That(updatedEmailHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
var expectedEmailsToAlert = new List<string>() { "[email protected]", "[email protected]", "[email protected]" };
Assert.That(updatedEmailHook.EmailsToAlert, Is.EquivalentTo(expectedEmailsToAlert));
}
[RecordedTest]
public async Task UpdateWebNotificationHookWithMinimumSetupAndGetInstance()
{
// Create a hook.
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var hookToCreate = new WebNotificationHook(hookName, "http://contoso.com");
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
// Update the created hook.
var hookToUpdate = (await adminClient.GetHookAsync(disposableHook.Id)).Value as WebNotificationHook;
hookToUpdate.Username = "fakeUsername";
await adminClient.UpdateHookAsync(disposableHook.Id, hookToUpdate);
// Get the hook and check if updates are in place.
var updatedWebHook = (await adminClient.GetHookAsync(disposableHook.Id)).Value as WebNotificationHook;
Assert.That(updatedWebHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(updatedWebHook.Name, Is.EqualTo(hookName));
Assert.That(updatedWebHook.Description, Is.Empty);
Assert.That(updatedWebHook.ExternalLink, Is.Empty);
Assert.That(updatedWebHook.Administrators, Is.Not.Null);
Assert.That(updatedWebHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
Assert.That(updatedWebHook.Endpoint, Is.EqualTo("http://contoso.com"));
Assert.That(updatedWebHook.CertificateKey, Is.Empty);
Assert.That(updatedWebHook.CertificatePassword, Is.Empty);
Assert.That(updatedWebHook.Username, Is.EqualTo("fakeUsername"));
Assert.That(updatedWebHook.Password, Is.Empty);
Assert.That(updatedWebHook.Headers, Is.Not.Null.And.Empty);
}
[RecordedTest]
public async Task UpdateWebNotificationHookWithMinimumSetupAndNewInstance()
{
// Create a hook.
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var endpoint = "http://contoso.com";
var hookToCreate = new WebNotificationHook(hookName, endpoint);
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
// Update the created hook.
var hookToUpdate = new WebNotificationHook(hookName, endpoint);
hookToUpdate.Username = "fakeUsername";
await adminClient.UpdateHookAsync(disposableHook.Id, hookToUpdate);
// Get the hook and check if updates are in place.
var updatedWebHook = (await adminClient.GetHookAsync(disposableHook.Id)).Value as WebNotificationHook;
Assert.That(updatedWebHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(updatedWebHook.Name, Is.EqualTo(hookName));
Assert.That(updatedWebHook.Description, Is.Empty);
Assert.That(updatedWebHook.ExternalLink, Is.Empty);
Assert.That(updatedWebHook.Administrators, Is.Not.Null);
Assert.That(updatedWebHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
Assert.That(updatedWebHook.Endpoint, Is.EqualTo(endpoint));
Assert.That(updatedWebHook.CertificateKey, Is.Empty);
Assert.That(updatedWebHook.CertificatePassword, Is.Empty);
Assert.That(updatedWebHook.Username, Is.EqualTo("fakeUsername"));
Assert.That(updatedWebHook.Password, Is.Empty);
Assert.That(updatedWebHook.Headers, Is.Not.Null.And.Empty);
}
[RecordedTest]
public async Task UpdateWebNotificationHookWithEveryMemberAndGetInstance()
{
// Create a hook.
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var endpoint = "http://contoso.com";
var description = "This hook was created to test the .NET client.";
var headers = new Dictionary<string, string>()
{
{ "key1", "value1" },
{ "key2", "value2" }
};
var hookToCreate = new WebNotificationHook(hookName, endpoint);
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
// Update the created hook.
var hookToUpdate = (await adminClient.GetHookAsync(disposableHook.Id)).Value as WebNotificationHook;
hookToUpdate.Description = description;
hookToUpdate.ExternalLink = "http://fake.endpoint.com";
// TODO: add certificate key validation (https://github.com/Azure/azure-sdk-for-net/issues/17485)
hookToUpdate.CertificatePassword = "certPassword";
hookToUpdate.Username = "fakeUsername";
hookToUpdate.Password = "fakePassword";
hookToUpdate.Headers = headers;
await adminClient.UpdateHookAsync(disposableHook.Id, hookToUpdate);
// Get the hook and check if updates are in place.
var updatedWebHook = (await adminClient.GetHookAsync(disposableHook.Id)).Value as WebNotificationHook;
Assert.That(updatedWebHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(updatedWebHook.Name, Is.EqualTo(hookName));
Assert.That(updatedWebHook.Description, Is.EqualTo(description));
Assert.That(updatedWebHook.ExternalLink, Is.EqualTo("http://fake.endpoint.com"));
Assert.That(updatedWebHook.Administrators, Is.Not.Null);
Assert.That(updatedWebHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
Assert.That(updatedWebHook.Endpoint, Is.EqualTo(endpoint));
// TODO: add certificate key validation (https://github.com/Azure/azure-sdk-for-net/issues/17485)
Assert.That(updatedWebHook.CertificatePassword, Is.EqualTo("certPassword"));
Assert.That(updatedWebHook.Username, Is.EqualTo("fakeUsername"));
Assert.That(updatedWebHook.Password, Is.EqualTo("fakePassword"));
Assert.That(updatedWebHook.Headers, Is.EquivalentTo(headers));
}
[RecordedTest]
public async Task UpdateWebNotificationHookWithEveryMemberAndNewInstance()
{
// Create a hook.
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
var endpoint = "http://contoso.com";
var description = "This hook was created to test the .NET client.";
var headers = new Dictionary<string, string>()
{
{ "key1", "value1" },
{ "key2", "value2" }
};
var hookToCreate = new WebNotificationHook(hookName, endpoint);
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
// Update the created hook.
var hookToUpdate = new WebNotificationHook(hookName, endpoint);
hookToUpdate.Description = description;
hookToUpdate.ExternalLink = "http://fake.endpoint.com";
// TODO: add certificate key validation (https://github.com/Azure/azure-sdk-for-net/issues/17485)
hookToUpdate.CertificatePassword = "certPassword";
hookToUpdate.Username = "fakeUsername";
hookToUpdate.Password = "fakePassword";
hookToUpdate.Headers = headers;
await adminClient.UpdateHookAsync(disposableHook.Id, hookToUpdate);
// Get the hook and check if updates are in place.
var updatedWebHook = (await adminClient.GetHookAsync(disposableHook.Id)).Value as WebNotificationHook;
Assert.That(updatedWebHook.Id, Is.EqualTo(disposableHook.Id));
Assert.That(updatedWebHook.Name, Is.EqualTo(hookName));
Assert.That(updatedWebHook.Description, Is.EqualTo(description));
Assert.That(updatedWebHook.ExternalLink, Is.EqualTo("http://fake.endpoint.com"));
Assert.That(updatedWebHook.Administrators, Is.Not.Null);
Assert.That(updatedWebHook.Administrators.Single(), Is.Not.Null.And.Not.Empty);
Assert.That(updatedWebHook.Endpoint, Is.EqualTo(endpoint));
// TODO: add certificate key validation (https://github.com/Azure/azure-sdk-for-net/issues/17485)
Assert.That(updatedWebHook.CertificatePassword, Is.EqualTo("certPassword"));
Assert.That(updatedWebHook.Username, Is.EqualTo("fakeUsername"));
Assert.That(updatedWebHook.Password, Is.EqualTo("fakePassword"));
Assert.That(updatedWebHook.Headers, Is.EquivalentTo(headers));
}
[RecordedTest]
[TestCase(true)]
[TestCase(false)]
[Ignore("https://github.com/Azure/azure-sdk-for-net/issues/18004")]
public async Task GetHooksWithMinimumSetup(bool useTokenCredential)
{
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient(useTokenCredential);
string hookName = Recording.GenerateAlphaNumericId("hook");
var hookToCreate = new WebNotificationHook(hookName, "http://contoso.com");
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
var hookCount = 0;
await foreach (NotificationHook hook in adminClient.GetHooksAsync())
{
Assert.That(hook.Id, Is.Not.Null.And.Not.Empty);
Assert.That(hook.Name, Is.Not.Null.And.Not.Empty);
Assert.That(hook.Administrators, Is.Not.Null.And.Not.Empty);
Assert.That(hook.Administrators.Any(admin => admin == null || admin == string.Empty), Is.False);
Assert.That(hook.Description, Is.Not.Null);
Assert.That(hook.ExternalLink, Is.Not.Null);
if (hook is EmailNotificationHook)
{
var emailHook = hook as EmailNotificationHook;
Assert.That(emailHook.EmailsToAlert, Is.Not.Null);
}
else
{
var webHook = hook as WebNotificationHook;
Assert.That(webHook, Is.Not.Null);
Assert.That(webHook.CertificateKey, Is.Not.Null);
Assert.That(webHook.CertificatePassword, Is.Not.Null);
Assert.That(webHook.Username, Is.Not.Null);
Assert.That(webHook.Password, Is.Not.Null);
Assert.That(webHook.Headers, Is.Not.Null);
Assert.That(webHook.Headers.Values.Any(value => value == null), Is.False);
}
if (++hookCount >= MaximumSamplesCount)
{
break;
}
}
Assert.That(hookCount, Is.GreaterThan(0));
}
[RecordedTest]
public async Task GetHooksWithOptionalNameFilter()
{
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient();
string hookName = Recording.GenerateAlphaNumericId("hook");
string hookNameFilter = hookName.Substring(1, hookName.Length - 3);
var hookToCreate = new WebNotificationHook(hookName, "http://contoso.com");
await using var disposableHook = await DisposableNotificationHook.CreateHookAsync(adminClient, hookToCreate);
var options = new GetHooksOptions()
{
HookNameFilter = hookNameFilter
};
var hookCount = 0;
await foreach (NotificationHook hook in adminClient.GetHooksAsync(options))
{
Assert.That(hook.Id, Is.Not.Null.And.Not.Empty);
Assert.That(hook.Name, Is.Not.Null.And.Not.Empty);
Assert.That(hook.Name.Contains(hookNameFilter));
Assert.That(hook.Administrators, Is.Not.Null.And.Not.Empty);
Assert.That(hook.Administrators.Any(admin => admin == null || admin == string.Empty), Is.False);
Assert.That(hook.Description, Is.Not.Null);
Assert.That(hook.ExternalLink, Is.Not.Null);
if (hook is EmailNotificationHook)
{
var emailHook = hook as EmailNotificationHook;
Assert.That(emailHook.EmailsToAlert, Is.Not.Null);
}
else
{
var webHook = hook as WebNotificationHook;
Assert.That(webHook, Is.Not.Null);
Assert.That(webHook.CertificateKey, Is.Not.Null);
Assert.That(webHook.CertificatePassword, Is.Not.Null);
Assert.That(webHook.Username, Is.Not.Null);
Assert.That(webHook.Password, Is.Not.Null);
Assert.That(webHook.Headers, Is.Not.Null);
Assert.That(webHook.Headers.Values.Any(value => value == null), Is.False);
}
if (++hookCount >= MaximumSamplesCount)
{
break;
}
}
Assert.That(hookCount, Is.GreaterThan(0));
}
[RecordedTest]
[TestCase(true)]
[TestCase(false)]
public async Task DeleteNotificationHook(bool useTokenCredential)
{
MetricsAdvisorAdministrationClient adminClient = GetMetricsAdvisorAdministrationClient(useTokenCredential);
string hookName = Recording.GenerateAlphaNumericId("hook");
var hookToCreate = new WebNotificationHook(hookName, "http://contoso.com");
string hookId = null;
try
{
hookId = await adminClient.CreateHookAsync(hookToCreate);
Assert.That(hookId, Is.Not.Null.And.Not.Empty);
}
finally
{
if (hookId != null)
{
await adminClient.DeleteHookAsync(hookId);
var errorCause = "hookId is invalid";
Assert.That(async () => await adminClient.GetHookAsync(hookId), Throws.InstanceOf<RequestFailedException>().With.Message.Contains(errorCause));
}
}
}
}
}
| 46.570983 | 163 | 0.65128 | [
"MIT"
] | 0rland0Wats0n/azure-sdk-for-net | sdk/metricsadvisor/Azure.AI.MetricsAdvisor/tests/MetricsAdvisorAdministrationClient/NotificationHookLiveTests.cs | 29,854 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace Ploeh.Samples.ProductManagement.WcfAgent
{
public interface ICircuitBreaker
{
void Guard();
void Trip(Exception e);
void Succeed();
}
}
| 16 | 50 | 0.676471 | [
"MIT"
] | owolp/Telerik-Academy | Module-2/Design-Patterns/Materials/DI.NET/WpfProductManagementClient/ProductWcfAgent/ICircuitBreaker.cs | 274 | C# |
namespace CsvReadLink
{
partial class Form1
{
/// <summary>
/// Required designer variable.
/// </summary>
private System.ComponentModel.IContainer components = null;
/// <summary>
/// Clean up any resources being used.
/// </summary>
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
protected override void Dispose(bool disposing)
{
if (disposing && (components != null))
{
components.Dispose();
}
base.Dispose(disposing);
}
#region Windows Form Designer generated code
/// <summary>
/// Required method for Designer support - do not modify
/// the contents of this method with the code editor.
/// </summary>
private void InitializeComponent()
{
this.textBox1 = new System.Windows.Forms.TextBox();
this.buttonSelecionar = new System.Windows.Forms.Button();
this.dataGridView = new System.Windows.Forms.DataGridView();
this.openFileDialog = new System.Windows.Forms.OpenFileDialog();
((System.ComponentModel.ISupportInitialize)(this.dataGridView)).BeginInit();
this.SuspendLayout();
//
// textBox1
//
this.textBox1.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left)
| System.Windows.Forms.AnchorStyles.Right)));
this.textBox1.Location = new System.Drawing.Point(12, 12);
this.textBox1.Name = "textBox1";
this.textBox1.Size = new System.Drawing.Size(738, 20);
this.textBox1.TabIndex = 0;
//
// buttonSelecionar
//
this.buttonSelecionar.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Right)));
this.buttonSelecionar.Location = new System.Drawing.Point(756, 12);
this.buttonSelecionar.Name = "buttonSelecionar";
this.buttonSelecionar.Size = new System.Drawing.Size(32, 20);
this.buttonSelecionar.TabIndex = 1;
this.buttonSelecionar.Text = "...";
this.buttonSelecionar.UseVisualStyleBackColor = true;
this.buttonSelecionar.Click += new System.EventHandler(this.buttonSelecionar_Click);
//
// dataGridView
//
this.dataGridView.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom)
| System.Windows.Forms.AnchorStyles.Left)
| System.Windows.Forms.AnchorStyles.Right)));
this.dataGridView.ColumnHeadersHeightSizeMode = System.Windows.Forms.DataGridViewColumnHeadersHeightSizeMode.AutoSize;
this.dataGridView.Location = new System.Drawing.Point(12, 38);
this.dataGridView.Name = "dataGridView";
this.dataGridView.Size = new System.Drawing.Size(776, 400);
this.dataGridView.TabIndex = 2;
//
// openFileDialog
//
this.openFileDialog.FileName = "openFileDialog1";
//
// Form1
//
this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F);
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
this.ClientSize = new System.Drawing.Size(800, 450);
this.Controls.Add(this.dataGridView);
this.Controls.Add(this.buttonSelecionar);
this.Controls.Add(this.textBox1);
this.Name = "Form1";
this.StartPosition = System.Windows.Forms.FormStartPosition.CenterScreen;
this.Text = "Lendo CSV com link";
((System.ComponentModel.ISupportInitialize)(this.dataGridView)).EndInit();
this.ResumeLayout(false);
this.PerformLayout();
}
#endregion
private System.Windows.Forms.TextBox textBox1;
private System.Windows.Forms.Button buttonSelecionar;
private System.Windows.Forms.DataGridView dataGridView;
private System.Windows.Forms.OpenFileDialog openFileDialog;
}
}
| 44.30303 | 164 | 0.610123 | [
"Apache-2.0"
] | tborgesvieira/CsvReadLink | CsvReadLink/Form1.Designer.cs | 4,388 | C# |
namespace World.GameActors.Tiles.Background
{
public class Background : StaticTile
{
public Background() : base (){ }
public Background(int textureId) : base(textureId) { }
public Background(string textureName) : base(textureName)
{
}
}
}
| 20.714286 | 65 | 0.617241 | [
"Apache-2.0"
] | GoodAI/BrainSimulator | Sources/Modules/ToyWorld/World/GameActors/Tiles/Background/Background.cs | 292 | C# |
using System;
namespace Api.Dto.OAuth
{
public class OAuthToken
{
public string Accesstoken { get; set; }
public string RefreshToken { get; set; }
private int _expiresIn;
public int ExpiresIn
{
get => _expiresIn;
set
{
_expiresIn = value;
ExpiresAt = Created.AddSeconds(_expiresIn);
}
}
public DateTime Created { get; } = DateTime.Now;
public DateTime ExpiresAt { get; private set; } = DateTime.Now;
public bool IsExpired()
{
return ExpiresAt <= DateTime.Now.Subtract(new TimeSpan(0, 1, 0));
}
}
}
| 21.78125 | 77 | 0.523673 | [
"MIT"
] | Soneritics/Twinfield.API | Api/Dto/OAuth/OAuthToken.cs | 699 | C# |
using System.Collections.Generic;
using System.Threading.Tasks;
using Microsoft.WindowsAzure.MobileServices;
namespace Aptk.Plugins.AzureForMobile.Identity
{
public class AzureForMobilePlatformIdentityService : IAzureForMobilePlatformIdentityService
{
private readonly IMobileServiceClient _client;
public AzureForMobilePlatformIdentityService(IMobileServiceClient client)
{
_client = client;
}
public async Task<MobileServiceUser> LoginAsync(MobileServiceAuthenticationProvider provider, IDictionary<string, string> parameters = null, bool useSingleSignOnIfAvailable = false)
{
return await _client.LoginAsync(provider, useSingleSignOnIfAvailable, parameters);
}
}
}
| 34.727273 | 189 | 0.752618 | [
"MIT"
] | Ideine/Apptracktive-Plugins | AzureForMobile/AzureForMobile.Uwp/Identity/AzureForMobilePlatformIdentityService.cs | 766 | C# |
using Microsoft.VisualBasic.CompilerServices;
using System;
using System.Runtime.CompilerServices;
namespace NoteApp
{
class Test
{
static void Main(string[] args)
{
Note note = new Note("",NoteCategory.Work,"Vse rabotaet");
Note note2 = new Note("Zametka 2", NoteCategory.Peoples, "Opat vse rabotaet");
Console.WriteLine(note.Name + " " + note.Text + " " + note.Category);
Console.WriteLine(note2.Name + " " + note2.Text + " " + note2.Category);
Project prj= new Project();
Project prj2 = new Project();
prj.NoteList.Add(note);
prj.NoteList.Add(note2);
ProjectManager.SaveToFile(prj);
//prj = null;
//prj = ProjectManager.LoadFromFile("NoteApp.txt");
Note note3 = new Note("keka", NoteCategory.Finance, "Normas Zakladka");
Console.WriteLine(note3.CreatingTime);
Console.WriteLine(note.Name + note.Text);
}
}
}
| 30.470588 | 90 | 0.574324 | [
"MIT"
] | Dronee44/NoteApp | NoteApp/Test/Test.cs | 1,038 | C# |
// Copyright (c) Microsoft. All rights reserved.
// Licensed under the MIT license. See LICENSE file in the project root for full license information.
namespace ActionsProvider
{
public class ActionProviderFactory
{
public static IActionsProvider GetActionProvider(Microsoft.WindowsAzure.Storage.CloudStorageAccount WaterMarkStorageAcc)
{
int embeddedmessagecount = int.Parse(System.Configuration.ConfigurationManager.AppSettings["embeddedmessagecount"] ?? "10");
if (embeddedmessagecount > 32)
{
embeddedmessagecount = 32;
}
return new ActionProvider(WaterMarkStorageAcc, embeddedmessagecount);
}
}
}
| 32.772727 | 136 | 0.686546 | [
"MIT"
] | MicrosoftDX/MB-ForensicWatermark | MB-ForensicWatermark/ActionsProvider/ActionProviderFactory.cs | 723 | C# |
// Copyright © Tanner Gooding and Contributors. Licensed under the MIT License (MIT). See License.md in the repository root for more information.
// Ported from um/strmif.h in the Windows SDK for Windows 10.0.20348.0
// Original source is Copyright © Microsoft. All rights reserved.
namespace TerraFX.Interop.Windows;
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX"]/*' />
public enum DVD_KARAOKE_DOWNMIX
{
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_0to0"]/*' />
DVD_Mix_0to0 = 0x1,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_1to0"]/*' />
DVD_Mix_1to0 = 0x2,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_2to0"]/*' />
DVD_Mix_2to0 = 0x4,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_3to0"]/*' />
DVD_Mix_3to0 = 0x8,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_4to0"]/*' />
DVD_Mix_4to0 = 0x10,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_Lto0"]/*' />
DVD_Mix_Lto0 = 0x20,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_Rto0"]/*' />
DVD_Mix_Rto0 = 0x40,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_0to1"]/*' />
DVD_Mix_0to1 = 0x100,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_1to1"]/*' />
DVD_Mix_1to1 = 0x200,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_2to1"]/*' />
DVD_Mix_2to1 = 0x400,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_3to1"]/*' />
DVD_Mix_3to1 = 0x800,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_4to1"]/*' />
DVD_Mix_4to1 = 0x1000,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_Lto1"]/*' />
DVD_Mix_Lto1 = 0x2000,
/// <include file='DVD_KARAOKE_DOWNMIX.xml' path='doc/member[@name="DVD_KARAOKE_DOWNMIX.DVD_Mix_Rto1"]/*' />
DVD_Mix_Rto1 = 0x4000,
}
| 45.358491 | 145 | 0.71173 | [
"MIT"
] | IngmarBitter/terrafx.interop.windows | sources/Interop/Windows/Windows/um/strmif/DVD_KARAOKE_DOWNMIX.cs | 2,406 | C# |
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
// General Information about an assembly is controlled through the following
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("MipSdkFileApiDotNet")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("MipSdkFileApiDotNet")]
[assembly: AssemblyCopyright("Copyright © 2018")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]
// Setting ComVisible to false makes the types in this assembly not visible
// to COM components. If you need to access a type in this assembly from
// COM, set the ComVisible attribute to true on that type.
[assembly: ComVisible(false)]
// The following GUID is for the ID of the typelib if this project is exposed to COM
[assembly: Guid("06311f30-a1c1-4736-989a-a99a805ccdee")]
// Version information for an assembly consists of the following four values:
//
// Major Version
// Minor Version
// Build Number
// Revision
//
// You can specify all the values or you can default the Revision and Build Numbers
// by using the '*' as shown below:
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.0.0.0")]
| 38.083333 | 84 | 0.751276 | [
"MIT"
] | Azure-Samples/mipsdk-fileapi-dotnet-onbehalfof | MipSdk-FileApi-DotNet-OnBehalfOf/MipSdk-FileApi-DotNet-OnBehalfOf/Properties/AssemblyInfo.cs | 1,374 | C# |
namespace FlyweightGame.UI
{
internal class AssetPaths
{
internal const string ReaperImage = "../../Assets/reaper.png";
}
}
| 18.125 | 70 | 0.634483 | [
"MIT"
] | Supbads/Softuni-Education | 03. HighQualityCode 12.15/Demos/18. Design-Patterns-Demo/Design Patterns/Structural/FlyweightGame/UI/AssetPaths.cs | 147 | C# |
/**
* Copyright 2015 Canada Health Infoway, Inc.
*
* 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.
*
* Author: $LastChangedBy: tmcgrady $
* Last modified: $LastChangedDate: 2011-05-04 15:47:15 -0400 (Wed, 04 May 2011) $
* Revision: $LastChangedRevision: 2623 $
*/
/* This class was auto-generated by the message builder generator tools. */
namespace Ca.Infoway.Messagebuilder.Model.Ab_r02_04_03.Pr.Prpm_mt306010ca {
using Ca.Infoway.Messagebuilder.Annotation;
using Ca.Infoway.Messagebuilder.Datatype;
using Ca.Infoway.Messagebuilder.Datatype.Impl;
using Ca.Infoway.Messagebuilder.Datatype.Lang;
using Ca.Infoway.Messagebuilder.Domainvalue;
using Ca.Infoway.Messagebuilder.Model;
using Ca.Infoway.Messagebuilder.Model.Ab_r02_04_03.Domainvalue;
using System;
using System.Collections.Generic;
[Hl7PartTypeMappingAttribute(new string[] {"PRPM_MT306010CA.ParameterList"})]
public class ParameterList : MessagePartBean {
private IList<AD> addressValue;
private CV administrativeGenderValue;
private IList<CV> assignedRoleTypeValue;
private REAL confidenceValue;
private TS dOBValue;
private BL includeHistoryIndicatorValue;
private IList<CV> jurisdictionValue;
private PN nameValue;
private IList<II> providerIDValue;
private IList<CV> qualificationValue;
private IList<CV> responseObjectValue;
private IList<CV> roleClassValue;
private IVL<TS, Interval<PlatformDate>> roleEffectiveDateValue;
private IList<CV> roleTypeValue;
private CV routedDocTypeValue;
private IList<AD> serviceDeliveryLocationAddressValue;
private IList<II> serviceDeliveryLocationIDValue;
private IList<CV> serviceDeliveryLocationTypeValue;
private IList<CV> statusValue;
private IList<TEL> telecomValue;
public ParameterList() {
this.addressValue = new List<AD>();
this.administrativeGenderValue = new CVImpl();
this.assignedRoleTypeValue = new List<CV>();
this.confidenceValue = new REALImpl();
this.dOBValue = new TSImpl();
this.includeHistoryIndicatorValue = new BLImpl();
this.jurisdictionValue = new List<CV>();
this.nameValue = new PNImpl();
this.providerIDValue = new List<II>();
this.qualificationValue = new List<CV>();
this.responseObjectValue = new List<CV>();
this.roleClassValue = new List<CV>();
this.roleEffectiveDateValue = new IVLImpl<TS, Interval<PlatformDate>>();
this.roleTypeValue = new List<CV>();
this.routedDocTypeValue = new CVImpl();
this.serviceDeliveryLocationAddressValue = new List<AD>();
this.serviceDeliveryLocationIDValue = new List<II>();
this.serviceDeliveryLocationTypeValue = new List<CV>();
this.statusValue = new List<CV>();
this.telecomValue = new List<TEL>();
}
/**
* <summary>Business Name: Healthcare Provider Role Address</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.Address.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The address for the provider when playing
* the role of healthcare provider.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"address/value"})]
public IList<PostalAddress> AddressValue {
get { return new RawListWrapper<AD, PostalAddress>(addressValue, typeof(ADImpl)); }
}
/**
* <summary>Business Name: Principal Person Gender</summary>
*
* <remarks>Relationship:
* PRPM_MT306010CA.AdministrativeGender.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The principal person's gender.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"administrativeGender/value"})]
public AdministrativeGender AdministrativeGenderValue {
get { return (AdministrativeGender) this.administrativeGenderValue.Value; }
set { this.administrativeGenderValue.Value = value; }
}
/**
* <summary>Business Name: Assigned Role Type Value</summary>
*
* <remarks>Relationship:
* PRPM_MT306010CA.AssignedRoleType.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The code identifying the specific functional
* role.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"assignedRoleType/value"})]
public IList<AssignedRoleType> AssignedRoleTypeValue {
get { return new RawListWrapper<CV, AssignedRoleType>(assignedRoleTypeValue, typeof(CVImpl)); }
}
/**
* <summary>Business Name: Confidence Value</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.Confidence.value
* Conformance/Cardinality: MANDATORY (1) <p>Required attribute
* to provide information about success of query</p> <p>A real
* number value indicating the confidence of the query with
* regard to finding the intended target provider i.e. the
* value would be the computed confidence value.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"confidence/value"})]
public BigDecimal ConfidenceValue {
get { return this.confidenceValue.Value; }
set { this.confidenceValue.Value = value; }
}
/**
* <summary>Business Name: Principal Person Date of Birth</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.DOB.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The principal person's date of birth.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"dOB/value"})]
public PlatformDate DOBValue {
get { return this.dOBValue.Value; }
set { this.dOBValue.Value = value; }
}
/**
* <summary>Business Name: History Indicator Value</summary>
*
* <remarks>Relationship:
* PRPM_MT306010CA.IncludeHistoryIndicator.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute when queried upon</p> <p>Indicates whether or not
* historical records should be included in this query
* response</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"includeHistoryIndicator/value"})]
public bool? IncludeHistoryIndicatorValue {
get { return this.includeHistoryIndicatorValue.Value; }
set { this.includeHistoryIndicatorValue.Value = value; }
}
/**
* <summary>Business Name: Jurisdiction Type</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.Jurisdiction.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the validation and identification of the
* healthcare provider</p> <p>A character value that represents
* the Canadian provincial or territorial geographical area
* within which the Provider is operating.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"jurisdiction/value"})]
public IList<JurisdictionTypeCode> JurisdictionValue {
get { return new RawListWrapper<CV, JurisdictionTypeCode>(jurisdictionValue, typeof(CVImpl)); }
}
/**
* <summary>Business Name: Healthcare Provider Role Name</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.Name.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The provider's name pertaining to the
* specific healthcare provider role.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"name/value"})]
public PersonName NameValue {
get { return this.nameValue.Value; }
set { this.nameValue.Value = value; }
}
/**
* <summary>Business Name: Healthcare Provider Role
* Identification</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.ProviderID.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>A unique identifier for a provider in a
* specific healthcare role.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"providerID/value"})]
public IList<Identifier> ProviderIDValue {
get { return new RawListWrapper<II, Identifier>(providerIDValue, typeof(IIImpl)); }
}
/**
* <summary>Business Name: Expertise or Credentials Role Type</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.Qualification.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider credentials</p> <p>Unique identifier for the
* Expertise or Credential.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"qualification/value"})]
public IList<QualifiedRoleType> QualificationValue {
get { return new RawListWrapper<CV, QualifiedRoleType>(qualificationValue, typeof(CVImpl)); }
}
/**
* <summary>Business Name: Provider Query Response Object</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.ResponseObject.value
* Conformance/Cardinality: REQUIRED (1) <p>Populated attribute
* provides tremendous value in giving the organization issuing
* the query the flexibility to request particular items in the
* response.</p> <p>Outlines the values expected to be received
* by this query</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"responseObject/value"})]
public IList<ProviderQueryResponseObject> ResponseObjectValue {
get { return new RawListWrapper<CV, ProviderQueryResponseObject>(responseObjectValue, typeof(CVImpl)); }
}
/**
* <summary>Business Name: Role Class Value</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.RoleClass.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute where queried upon</p> <p>Indicates Role Class
* being queried upon</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"roleClass/value"})]
public IList<x_RoleClassAssignedQualifiedProvider> RoleClassValue {
get { return new RawListWrapper<CV, x_RoleClassAssignedQualifiedProvider>(roleClassValue, typeof(CVImpl)); }
}
/**
* <summary>Business Name: Healthcare Provider Role Effective
* Date</summary>
*
* <remarks>Relationship:
* PRPM_MT306010CA.RoleEffectiveDate.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The effective date of the provider in the
* healthcare provider role.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"roleEffectiveDate/value"})]
public Interval<PlatformDate> RoleEffectiveDateValue {
get { return this.roleEffectiveDateValue.Value; }
set { this.roleEffectiveDateValue.Value = value; }
}
/**
* <summary>Business Name: Healthcare Provider Role Type</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.RoleType.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The code identifying the specific healthcare
* provider role.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"roleType/value"})]
public IList<HealthcareProviderRoleType> RoleTypeValue {
get { return new RawListWrapper<CV, HealthcareProviderRoleType>(roleTypeValue, typeof(CVImpl)); }
}
/**
* <summary>Business Name: Routed Document Type</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.RoutedDocType.value
* Conformance/Cardinality: MANDATORY (1) <p>Supports the
* business requirement to identify the specified roleClass
* being queried upon</p> <p>Supports the business requirement
* to identify the specified roleClass being queried upon</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"routedDocType/value"})]
public RoutedDocumentType RoutedDocTypeValue {
get { return (RoutedDocumentType) this.routedDocTypeValue.Value; }
set { this.routedDocTypeValue.Value = value; }
}
/**
* <summary>Business Name: Service Delivery Location Address
* Detail</summary>
*
* <remarks>Relationship:
* PRPM_MT306010CA.ServiceDeliveryLocationAddress.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute when queried upon</p> <p>Address for the Service
* Delivery Location</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"serviceDeliveryLocationAddress/value"})]
public IList<PostalAddress> ServiceDeliveryLocationAddressValue {
get { return new RawListWrapper<AD, PostalAddress>(serviceDeliveryLocationAddressValue, typeof(ADImpl)); }
}
/**
* <summary>Business Name: Service Delivery Location Identifier</summary>
*
* <remarks>Relationship:
* PRPM_MT306010CA.ServiceDeliveryLocationID.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the validation and identification of the
* service delivery location</p> <p>A unique identifier for the
* service delivery location.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"serviceDeliveryLocationID/value"})]
public IList<Identifier> ServiceDeliveryLocationIDValue {
get { return new RawListWrapper<II, Identifier>(serviceDeliveryLocationIDValue, typeof(IIImpl)); }
}
/**
* <summary>Business Name: Service Delivery Location Type Value</summary>
*
* <remarks>Relationship:
* PRPM_MT306010CA.ServiceDeliveryLocationType.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the validation and identification of the
* service delivery location</p> <p>A unique value for the
* service delivery location type.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"serviceDeliveryLocationType/value"})]
public IList<ServiceDeliveryLocationRoleType> ServiceDeliveryLocationTypeValue {
get { return new RawListWrapper<CV, ServiceDeliveryLocationRoleType>(serviceDeliveryLocationTypeValue, typeof(CVImpl)); }
}
/**
* <summary>Business Name: Healthcare Provider Role Status Code</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.Status.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The status of the provider in the healthcare
* provider role i.e. Active</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"status/value"})]
public IList<RoleStatus> StatusValue {
get { return new RawListWrapper<CV, RoleStatus>(statusValue, typeof(CVImpl)); }
}
/**
* <summary>Business Name: Healthcare Provider Role Telecom</summary>
*
* <remarks>Relationship: PRPM_MT306010CA.Telecom.value
* Conformance/Cardinality: MANDATORY (1) <p>Mandatory
* attribute supports the identification of the healthcare
* provider</p> <p>The telecom for the provider when playing
* the role of healthcare provider.</p></remarks>
*/
[Hl7XmlMappingAttribute(new string[] {"telecom/value"})]
public IList<TelecommunicationAddress> TelecomValue {
get { return new RawListWrapper<TEL, TelecommunicationAddress>(telecomValue, typeof(TELImpl)); }
}
}
} | 47.665782 | 134 | 0.631608 | [
"ECL-2.0",
"Apache-2.0"
] | CanadaHealthInfoway/message-builder-dotnet | message-builder-release-ab-r02_04_03/Main/Ca/Infoway/Messagebuilder/Model/Ab_r02_04_03/Pr/Prpm_mt306010ca/ParameterList.cs | 17,970 | C# |
/*
* Copyright 2018 JDCLOUD.COM
*
* 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.
*
* NameSpace相关 API
* 流计算NameSpace相关信息接口
*
* OpenAPI spec version: v1
* Contact:
*
* NOTE: This class is auto generated by the jdcloud code generator program.
*/
using JDCloudSDK.Core.Client;
using JDCloudSDK.Core.Http;
using System;
using System.Collections.Generic;
using System.Text;
namespace JDCloudSDK.Streamcomputer.Client
{
/// <summary>
/// 查询租户下的应用列表
/// </summary>
public class QueryNamespacesExecutor : JdcloudExecutor
{
/// <summary>
/// 查询租户下的应用列表接口的Http 请求方法
/// </summary>
public override string Method
{
get {
return "GET";
}
}
/// <summary>
/// 查询租户下的应用列表接口的Http资源请求路径
/// </summary>
public override string Url
{
get {
return "/regions/{regionId}/namespaces";
}
}
}
}
| 24.816667 | 76 | 0.631296 | [
"Apache-2.0"
] | jdcloud-api/jdcloud-sdk-net | sdk/src/Service/Streamcomputer/Client/QueryNamespacesExecutor.cs | 1,603 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using UnityEngine.Purchasing.Models;
namespace UnityEngine.Purchasing.Utils
{
static class GooglePurchaseHelper
{
internal static GooglePurchase MakeGooglePurchase(IEnumerable<AndroidJavaObject> skuDetails, AndroidJavaObject purchase)
{
var sku = purchase.Call<string>("getSku");
var skuDetail = skuDetails.FirstOrDefault(skuDetailJavaObject =>
{
var skuDetailsSku = skuDetailJavaObject.Call<string>("getSku");
return sku == skuDetailsSku;
});
return skuDetail != null ? new GooglePurchase(purchase, skuDetail) : null;
}
}
}
| 32.772727 | 128 | 0.661581 | [
"MIT"
] | 2PUEG-VRIK/UnityEscapeGame | 2P-UnityEscapeGame/Library/PackageCache/[email protected]/Runtime/Stores/Android/GooglePlay/AAR/Utils/GooglePurchaseHelper.cs | 721 | C# |
using StubbUnity.StubbFramework.Extensions;
using StubbUnity.StubbFramework.View;
using UnityEngine;
namespace StubbUnity.Unity.Physics.Dispatchers
{
public class CollisionExitDispatcher : BasePhysicsDispatcher
{
void OnCollisionExit(Collision other)
{
Dispatcher.World.DispatchCollisionExit(Dispatcher, other.gameObject.GetComponent<IEcsViewLink>(), other);
}
}
} | 29.5 | 117 | 0.745763 | [
"MIT"
] | VirtualMaestro/BubbleShooter | BubbleShooter/Assets/Libs/Stubb/StubbUnity/StubbUnity/Src/Unity/Physics/Dispatchers/CollisionExitDispatcher.cs | 413 | C# |
/*****************************************************************************
Copyright 2018 The TensorFlow.NET Authors. All Rights Reserved.
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.
******************************************************************************/
using System;
namespace Tensorflow.Operations
{
public class rnn_cell_impl
{
public BasicRnnCell BasicRNNCell(int num_units)
=> new BasicRnnCell(num_units);
public static Tensor _concat(Tensor prefix, int suffix, bool @static = false)
{
var p = prefix;
var p_static = tensor_util.constant_value(prefix);
if (p.ndim == 0)
p = array_ops.expand_dims(p, 0);
else if (p.ndim != 1)
throw new ValueError($"prefix tensor must be either a scalar or vector, but saw tensor: {p}");
var s_tensor_shape = new Shape(suffix);
var s_static = s_tensor_shape.ndim > -1 ?
s_tensor_shape.dims :
null;
var s = s_tensor_shape.IsFullyDefined ?
constant_op.constant(s_tensor_shape.dims, dtype: dtypes.int32) :
null;
if (@static)
{
if (p_static is null) return null;
var shape = new Shape(p_static).concatenate(s_static);
throw new NotImplementedException("RNNCell _concat");
}
else
{
if (p is null || s is null)
throw new ValueError($"Provided a prefix or suffix of None: {prefix} and {suffix}");
return array_ops.concat(new[] { p, s }, 0);
}
}
public static Shape _concat(int[] prefix, int suffix, bool @static = false)
{
var p = new Shape(prefix);
var p_static = prefix;
var p_tensor = p.IsFullyDefined ? constant_op.constant(p, dtype: dtypes.int32) : null;
var s_tensor_shape = new Shape(suffix);
var s_static = s_tensor_shape.ndim > -1 ?
s_tensor_shape.dims :
null;
var s_tensor = s_tensor_shape.IsFullyDefined ?
constant_op.constant(s_tensor_shape.dims, dtype: dtypes.int32) :
null;
if (@static)
{
if (p_static is null) return null;
var shape = new Shape(p_static).concatenate(s_static);
return shape;
}
else
{
if (p is null || s_tensor is null)
throw new ValueError($"Provided a prefix or suffix of None: {prefix} and {suffix}");
// return array_ops.concat(new[] { p_tensor, s_tensor }, 0);
throw new NotImplementedException("");
}
}
}
}
| 38.655172 | 110 | 0.539399 | [
"Apache-2.0"
] | AhmedZero/TensorFlow.NET | src/TensorFlowNET.Core/Operations/NnOps/rnn_cell_impl.cs | 3,365 | C# |
namespace Nancy.Tests.Unit
{
using System;
using System.Globalization;
using Cookies;
using Xunit;
public class NancyCookieFixture
{
[Fact]
public void Should_stringify_a_simple_name_value()
{
// Given
var cookie = new NancyCookie("leto", "worm");
// When
var stringified = cookie.ToString();
// Then
stringified.ShouldEqual("leto=worm; path=/");
}
[Fact]
public void Should_stringify_an_expiry_to_gmt_and_stupid_format()
{
// Given
var date = new DateTime(2015, 10, 8, 9, 10, 11, DateTimeKind.Utc);
// When
var cookie = new NancyCookie("leto", "worm") { Expires = date }.ToString();
// Then
cookie.ShouldEqual("leto=worm; path=/; expires=Thu, 08-Oct-2015 09:10:11 GMT");
}
[Fact]
public void Should_stringify_an_expiry_to_english()
{
var originalCulture = System.Threading.Thread.CurrentThread.CurrentCulture;
try
{
// Given
System.Threading.Thread.CurrentThread.CurrentCulture = new CultureInfo("fr-FR");
var date = new DateTime(2015, 10, 8, 9, 10, 11, DateTimeKind.Utc);
// When
var cookie = new NancyCookie("leto", "worm") { Expires = date }.ToString();
// Then
cookie.ShouldEqual("leto=worm; path=/; expires=Thu, 08-Oct-2015 09:10:11 GMT");
}
finally
{
System.Threading.Thread.CurrentThread.CurrentCulture = originalCulture;
}
}
[Fact]
public void Should_stringify_a_domain()
{
// Given
var cookie = new NancyCookie("leto", "worm") { Domain = "google.com" };
// When
var stringified = cookie.ToString();
// Then
stringified.ShouldEqual("leto=worm; path=/; domain=google.com");
}
[Fact]
public void Should_stringify_a_path()
{
// Given
var cookie = new NancyCookie("leto", "worm") { Path = "/nancy" };
// When
var stringified = cookie.ToString();
// Then
stringified.ShouldEqual("leto=worm; path=/nancy");
}
[Fact]
public void Should_stringify_everyting()
{
// Given
var date = new DateTime(2016, 11, 8, 9, 10, 11, DateTimeKind.Utc);
var tuesday = GetInvariantAbbreviatedWeekdayName(date);
var november = GetInvariantAbbreviatedMonthName(date);
var cookie = new NancyCookie("paul", "blind", true, true) { Expires = date, Path = "/frank", Domain = "gmail.com" };
// When
var stringified = cookie.ToString();
// Then
stringified.ShouldEqual(string.Format("paul=blind; path=/frank; expires={0}, 08-{1}-2016 09:10:11 GMT; domain=gmail.com; Secure; HttpOnly", tuesday, november));
}
[Fact]
public void Should_not_add_secure_if_set_to_false()
{
var cookie = new NancyCookie("Test", "Value", false, false);
var result = cookie.ToString();
result.ShouldNotContain("Secure");
}
[Fact]
public void Should_add_secure_if_set_to_true()
{
var cookie = new NancyCookie("Test", "Value", true, true);
var result = cookie.ToString();
result.ShouldContain("Secure");
}
[Fact]
public void Should_not_add_http_only_if_set_to_false()
{
var cookie = new NancyCookie("Test", "Value", false);
var result = cookie.ToString();
result.ShouldNotContain("HttpOnly");
}
[Fact]
public void Should_add_http_only_if_set_to_true()
{
var cookie = new NancyCookie("Test", "Value", true);
var result = cookie.ToString();
result.ShouldContain("HttpOnly");
}
[Fact]
public void Should_encode_key_and_value_when_stringified()
{
var cookie = new NancyCookie("Key with spaces", "Value with spaces");
var result = cookie.ToString();
result.ShouldEqual("Key+with+spaces=Value+with+spaces; path=/");
}
[Fact]
public void Should_encode_key_if_necessary()
{
var cookie = new NancyCookie("with spaces", "Value");
var result = cookie.EncodedName;
result.ShouldEqual("with+spaces");
}
[Fact]
public void Should_encode_value_if_necessary()
{
var cookie = new NancyCookie("Test", "Value with spaces");
var result = cookie.EncodedValue;
result.ShouldEqual("Value+with+spaces");
}
public static string GetInvariantAbbreviatedMonthName(DateTime dateTime)
{
return CultureInfo.InvariantCulture.DateTimeFormat.AbbreviatedMonthNames[dateTime.Month - 1];
}
public static string GetInvariantAbbreviatedWeekdayName(DateTime dateTime)
{
return CultureInfo.InvariantCulture.DateTimeFormat.AbbreviatedDayNames[(int)dateTime.DayOfWeek];
}
}
} | 30.81768 | 173 | 0.534959 | [
"MIT"
] | Adalyat/Nancy | src/Nancy.Tests/Unit/NancyCookieFixture.cs | 5,578 | C# |
using System;
using System.Collections.Generic;
using System.Text;
using System.Data;
using System.Data.Common;
using Accounting.Db;
using Accounting.Db.Elements;
namespace Accounting.Core.Sales
{
using System.Linq;
using System.ComponentModel;
public abstract class MiscSaleLineManager : EntityManager<MiscSaleLine>
{
public MiscSaleLineManager(DbManager mgr)
: base(mgr)
{
}
#region +(Factory Methods)
protected override MiscSaleLine _CreateDbEntity()
{
return new MiscSaleLine(true, this);
}
protected override MiscSaleLine _CreateEntity()
{
return new MiscSaleLine(false, this);
}
#endregion
public override Dictionary<string, DbFieldEntry> GetFields(MiscSaleLine _obj)
{
Dictionary<string, DbFieldEntry> fields = new Dictionary<string, DbFieldEntry>();
fields["MiscSaleLineID"] = DbMgr.CreateAutoIntFieldEntry(_obj.MiscSaleLineID);
fields["SaleLineID"] = DbMgr.CreateIntFieldEntry(_obj.SaleLineID);
fields["SaleID"] = DbMgr.CreateIntFieldEntry(_obj.SaleID);
fields["LineNumber"] = DbMgr.CreateIntFieldEntry(_obj.LineNumber);
fields["LineTypeID"] = DbMgr.CreateStringFieldEntry(Convert.ToString(_obj.LineTypeID));
fields["AccountID"] = DbMgr.CreateIntFieldEntry(_obj.AccountID);
fields["Description"] = DbMgr.CreateStringFieldEntry(_obj.Description);
fields["TaxExclusiveAmount"] = DbMgr.CreateDoubleFieldEntry(_obj.TaxExclusiveAmount);
fields["TaxInclusiveAmount"] = DbMgr.CreateDoubleFieldEntry(_obj.TaxInclusiveAmount);
fields["IsMultipleJob"] = DbMgr.CreateStringFieldEntry(_obj.IsMultipleJob);
fields["JobID"] = DbMgr.CreateIntFieldEntry(_obj.JobID);
fields["TaxBasisAmount"] = DbMgr.CreateDoubleFieldEntry(_obj.TaxBasisAmount);
fields["TaxBasisAmountIsInclusive"] = DbMgr.CreateStringFieldEntry(_obj.TaxBasisAmountIsInclusive);
fields["TaxCodeID"] = DbMgr.CreateIntFieldEntry(_obj.TaxCodeID);
return fields;
}
private DbSelectStatement GetQuery_SelectAll()
{
DbSelectStatement clause = DbMgr.CreateSelectClause();
return clause.SelectAll().From("MiscSaleLines");
}
private DbSelectStatement GetQuery_SelectByMiscSaleLineID(int MiscSaleLineID)
{
DbSelectStatement clause = DbMgr.CreateSelectClause();
clause
.SelectAll()
.From("MiscSaleLines")
.Criteria
.IsEqual("MiscSaleLines", "MiscSaleLineID", MiscSaleLineID);
return clause;
}
private DbSelectStatement GetQuery_SelectCountByMiscSaleLineID(int MiscSaleLineID)
{
DbSelectStatement clause = DbMgr.CreateSelectClause();
clause
.SelectCount()
.From("MiscSaleLines")
.Criteria
.IsEqual("MiscSaleLines", "MiscSaleLineID", MiscSaleLineID);
return clause;
}
private bool Exists(int? MiscSaleLineID)
{
if (MiscSaleLineID == null) return false;
return ExecuteScalarInt(GetQuery_SelectCountByMiscSaleLineID(MiscSaleLineID.Value)) != 0;
}
public override bool Exists(MiscSaleLine _obj)
{
return Exists(_obj.MiscSaleLineID);
}
public void DeleteCollectionBySaleID(int? SaleID)
{
IList<MiscSaleLine> lines = FindCollectionBySaleID(SaleID);
foreach (MiscSaleLine line in lines)
{
Delete(line);
}
}
public IList<MiscSaleLine> FindCollectionBySaleID(int? SaleID)
{
if (UseMemoryStore)
{
IList<MiscSaleLine> store = DataStore;
var result = from ipl in store
where ipl.SaleID == SaleID
select ipl;
return new BindingList<MiscSaleLine>(result.ToList());
}
return _FindCollectionBySaleID(SaleID);
}
protected IList<MiscSaleLine> _FindCollectionBySaleID(int? SaleID)
{
BindingList<MiscSaleLine> _grp = new BindingList<MiscSaleLine>();
if (SaleID == null) return _grp;
DbSelectStatement clause = DbMgr.CreateSelectClause();
clause
.SelectAll()
.From("MiscSaleLines")
.Criteria
.IsEqual("MiscSaleLines", "SaleID", SaleID.Value);
DbCommand _cmd = CreateDbCommand(clause);
DbDataReader _reader = _cmd.ExecuteReader();
while (_reader.Read())
{
MiscSaleLine _obj = CreateDbEntity();
LoadFromReader(_obj, _reader);
_grp.Add(_obj);
}
_reader.Close();
_cmd.Dispose();
return _grp;
}
protected override MiscSaleLine _FindByIntId(int? MiscSaleLineID)
{
if (Exists(MiscSaleLineID))
{
MiscSaleLine _obj = CreateDbEntity();
LoadFromDb(_obj, GetQuery_SelectByMiscSaleLineID(MiscSaleLineID.Value));
return _obj;
}
else
{
return null;
}
}
protected override void LoadFromReader(MiscSaleLine _obj, DbDataReader _reader)
{
_obj.MiscSaleLineID =GetInt32(_reader, ("MiscSaleLineID"));
_obj.SaleLineID =GetInt32(_reader, ("SaleLineID"));
_obj.SaleID =GetInt32(_reader, ("SaleID"));
_obj.LineNumber =GetInt32(_reader, ("LineNumber"));
_obj.LineTypeID =GetString(_reader, ("LineTypeID"));
_obj.AccountID =GetInt32(_reader, ("AccountID"));
_obj.Description =GetString(_reader, ("Description"));
_obj.TaxExclusiveAmount = GetDouble(_reader, ("TaxExclusiveAmount"));
_obj.TaxInclusiveAmount = GetDouble(_reader, ("TaxInclusiveAmount"));
_obj.IsMultipleJob =GetString(_reader, ("IsMultipleJob"));
_obj.JobID =GetInt32(_reader, ("JobID"));
_obj.TaxBasisAmount = GetDouble(_reader, ("TaxBasisAmount"));
_obj.TaxBasisAmountIsInclusive =GetString(_reader, ("TaxBasisAmountIsInclusive"));
_obj.TaxCodeID =GetInt32(_reader, ("TaxCodeID"));
}
protected override object GetDbProperty(MiscSaleLine _obj, string property_name)
{
if (property_name.Equals("TaxCode"))
{
return RepositoryMgr.TaxCodeMgr.FindById(_obj.TaxCodeID);
}
else if (property_name.Equals("Account"))
{
return RepositoryMgr.AccountMgr.FindById(_obj.AccountID);
}
else if (property_name.Equals("Job"))
{
return RepositoryMgr.JobMgr.FindById(_obj.JobID);
}
else if (property_name.Equals("Sale"))
{
return RepositoryMgr.SaleMgr.FindById(_obj.SaleID);
}
return null;
}
protected override IList<MiscSaleLine>_FindAllCollection()
{
List<MiscSaleLine> _grp = new List<MiscSaleLine>();
DbCommand _cmd = CreateDbCommand(GetQuery_SelectAll());
DbDataReader _reader = _cmd.ExecuteReader();
while (_reader.Read())
{
MiscSaleLine _obj = CreateDbEntity();
LoadFromReader(_obj, _reader);
_grp.Add(_obj);
}
_reader.Close();
_cmd.Dispose();
return _grp;
}
}
}
| 36.543779 | 111 | 0.583985 | [
"MIT"
] | cschen1205/myob-accounting-plugin | Accounting/Core/Sales/MiscSaleLineManager.cs | 7,930 | C# |
// Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License.
// <auto-generated/>
#nullable disable
using System;
using System.Globalization;
using System.Threading;
using System.Threading.Tasks;
using Azure;
using Azure.Core;
using Azure.Core.Pipeline;
using Azure.ResourceManager;
using Azure.ResourceManager.AppService.Models;
using Azure.ResourceManager.Core;
namespace Azure.ResourceManager.AppService
{
/// <summary> A Class representing a SiteHostNameBinding along with the instance operations that can be performed on it. </summary>
public partial class SiteHostNameBinding : ArmResource
{
/// <summary> Generate the resource identifier of a <see cref="SiteHostNameBinding"/> instance. </summary>
public static ResourceIdentifier CreateResourceIdentifier(string subscriptionId, string resourceGroupName, string name, string hostName)
{
var resourceId = $"/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}";
return new ResourceIdentifier(resourceId);
}
private readonly ClientDiagnostics _siteHostNameBindingWebAppsClientDiagnostics;
private readonly WebAppsRestOperations _siteHostNameBindingWebAppsRestClient;
private readonly HostNameBindingData _data;
/// <summary> Initializes a new instance of the <see cref="SiteHostNameBinding"/> class for mocking. </summary>
protected SiteHostNameBinding()
{
}
/// <summary> Initializes a new instance of the <see cref = "SiteHostNameBinding"/> class. </summary>
/// <param name="client"> The client parameters to use in these operations. </param>
/// <param name="data"> The resource that is the target of operations. </param>
internal SiteHostNameBinding(ArmClient client, HostNameBindingData data) : this(client, data.Id)
{
HasData = true;
_data = data;
}
/// <summary> Initializes a new instance of the <see cref="SiteHostNameBinding"/> class. </summary>
/// <param name="client"> The client parameters to use in these operations. </param>
/// <param name="id"> The identifier of the resource that is the target of operations. </param>
internal SiteHostNameBinding(ArmClient client, ResourceIdentifier id) : base(client, id)
{
_siteHostNameBindingWebAppsClientDiagnostics = new ClientDiagnostics("Azure.ResourceManager.AppService", ResourceType.Namespace, DiagnosticOptions);
Client.TryGetApiVersion(ResourceType, out string siteHostNameBindingWebAppsApiVersion);
_siteHostNameBindingWebAppsRestClient = new WebAppsRestOperations(_siteHostNameBindingWebAppsClientDiagnostics, Pipeline, DiagnosticOptions.ApplicationId, BaseUri, siteHostNameBindingWebAppsApiVersion);
#if DEBUG
ValidateResourceId(Id);
#endif
}
/// <summary> Gets the resource type for the operations. </summary>
public static readonly ResourceType ResourceType = "Microsoft.Web/sites/hostNameBindings";
/// <summary> Gets whether or not the current instance has data. </summary>
public virtual bool HasData { get; }
/// <summary> Gets the data representing this Feature. </summary>
/// <exception cref="InvalidOperationException"> Throws if there is no data loaded in the current instance. </exception>
public virtual HostNameBindingData Data
{
get
{
if (!HasData)
throw new InvalidOperationException("The current instance does not have data, you must call Get first.");
return _data;
}
}
internal static void ValidateResourceId(ResourceIdentifier id)
{
if (id.ResourceType != ResourceType)
throw new ArgumentException(string.Format(CultureInfo.CurrentCulture, "Invalid resource type {0} expected {1}", id.ResourceType, ResourceType), nameof(id));
}
/// RequestPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}
/// ContextualPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}
/// OperationId: WebApps_GetHostNameBinding
/// <summary> Description for Get the named hostname binding for an app (or deployment slot, if specified). </summary>
/// <param name="cancellationToken"> The cancellation token to use. </param>
public async virtual Task<Response<SiteHostNameBinding>> GetAsync(CancellationToken cancellationToken = default)
{
using var scope = _siteHostNameBindingWebAppsClientDiagnostics.CreateScope("SiteHostNameBinding.Get");
scope.Start();
try
{
var response = await _siteHostNameBindingWebAppsRestClient.GetHostNameBindingAsync(Id.SubscriptionId, Id.ResourceGroupName, Id.Parent.Name, Id.Name, cancellationToken).ConfigureAwait(false);
if (response.Value == null)
throw await _siteHostNameBindingWebAppsClientDiagnostics.CreateRequestFailedExceptionAsync(response.GetRawResponse()).ConfigureAwait(false);
return Response.FromValue(new SiteHostNameBinding(Client, response.Value), response.GetRawResponse());
}
catch (Exception e)
{
scope.Failed(e);
throw;
}
}
/// RequestPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}
/// ContextualPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}
/// OperationId: WebApps_GetHostNameBinding
/// <summary> Description for Get the named hostname binding for an app (or deployment slot, if specified). </summary>
/// <param name="cancellationToken"> The cancellation token to use. </param>
public virtual Response<SiteHostNameBinding> Get(CancellationToken cancellationToken = default)
{
using var scope = _siteHostNameBindingWebAppsClientDiagnostics.CreateScope("SiteHostNameBinding.Get");
scope.Start();
try
{
var response = _siteHostNameBindingWebAppsRestClient.GetHostNameBinding(Id.SubscriptionId, Id.ResourceGroupName, Id.Parent.Name, Id.Name, cancellationToken);
if (response.Value == null)
throw _siteHostNameBindingWebAppsClientDiagnostics.CreateRequestFailedException(response.GetRawResponse());
return Response.FromValue(new SiteHostNameBinding(Client, response.Value), response.GetRawResponse());
}
catch (Exception e)
{
scope.Failed(e);
throw;
}
}
/// RequestPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}
/// ContextualPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}
/// OperationId: WebApps_DeleteHostNameBinding
/// <summary> Description for Deletes a hostname binding for an app. </summary>
/// <param name="waitForCompletion"> Waits for the completion of the long running operations. </param>
/// <param name="cancellationToken"> The cancellation token to use. </param>
public async virtual Task<SiteHostNameBindingDeleteOperation> DeleteAsync(bool waitForCompletion, CancellationToken cancellationToken = default)
{
using var scope = _siteHostNameBindingWebAppsClientDiagnostics.CreateScope("SiteHostNameBinding.Delete");
scope.Start();
try
{
var response = await _siteHostNameBindingWebAppsRestClient.DeleteHostNameBindingAsync(Id.SubscriptionId, Id.ResourceGroupName, Id.Parent.Name, Id.Name, cancellationToken).ConfigureAwait(false);
var operation = new SiteHostNameBindingDeleteOperation(response);
if (waitForCompletion)
await operation.WaitForCompletionResponseAsync(cancellationToken).ConfigureAwait(false);
return operation;
}
catch (Exception e)
{
scope.Failed(e);
throw;
}
}
/// RequestPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}
/// ContextualPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}
/// OperationId: WebApps_DeleteHostNameBinding
/// <summary> Description for Deletes a hostname binding for an app. </summary>
/// <param name="waitForCompletion"> Waits for the completion of the long running operations. </param>
/// <param name="cancellationToken"> The cancellation token to use. </param>
public virtual SiteHostNameBindingDeleteOperation Delete(bool waitForCompletion, CancellationToken cancellationToken = default)
{
using var scope = _siteHostNameBindingWebAppsClientDiagnostics.CreateScope("SiteHostNameBinding.Delete");
scope.Start();
try
{
var response = _siteHostNameBindingWebAppsRestClient.DeleteHostNameBinding(Id.SubscriptionId, Id.ResourceGroupName, Id.Parent.Name, Id.Name, cancellationToken);
var operation = new SiteHostNameBindingDeleteOperation(response);
if (waitForCompletion)
operation.WaitForCompletionResponse(cancellationToken);
return operation;
}
catch (Exception e)
{
scope.Failed(e);
throw;
}
}
}
}
| 56.098361 | 214 | 0.684882 | [
"MIT"
] | danielortega-msft/azure-sdk-for-net | sdk/websites/Azure.ResourceManager.AppService/src/Generated/SiteHostNameBinding.cs | 10,266 | C# |
using System;
using System.Collections.Generic;
using System.Collections.Immutable;
using System.Net;
using SuperSocket.ClientEngine;
using SuperSocket.ClientEngine.Proxy;
using WebSocket4Net;
using XSocket.Engine.Client;
using XSocket.Engine.Modules;
using XSocket.Engine.Parser;
namespace XSocket.Client.Transports
{
public class WebSocket : Transport
{
public static readonly string NAME = "websocket";
private readonly List<KeyValuePair<string, string>> Cookies;
private readonly List<KeyValuePair<string, string>> MyExtraHeaders;
private WebSocket4Net.WebSocket ws;
public WebSocket(Options opts)
: base(opts)
{
Name = NAME;
Cookies = new List<KeyValuePair<string, string>>();
foreach (var cookie in opts.Cookies)
Cookies.Add(new KeyValuePair<string, string>(cookie.Key, cookie.Value));
MyExtraHeaders = new List<KeyValuePair<string, string>>();
foreach (var header in opts.ExtraHeaders)
MyExtraHeaders.Add(new KeyValuePair<string, string>(header.Key, header.Value));
}
protected override void DoOpen()
{
var log = LogManager.GetLogger(Global.CallerName());
log.Info("DoOpen uri =" + Uri());
ws = new WebSocket4Net.WebSocket(Uri(), string.Empty, Cookies, MyExtraHeaders, sslProtocols: SslProtocols)
{
EnableAutoSendPing = false
};
if (ServerCertificate.Ignore)
{
var security = ws.Security;
if (security != null)
{
security.AllowUnstrustedCertificate = true;
security.AllowNameMismatchCertificate = true;
}
}
ws.Opened += ws_Opened;
ws.Closed += ws_Closed;
ws.MessageReceived += ws_MessageReceived;
ws.DataReceived += ws_DataReceived;
ws.Error += ws_Error;
var destUrl = new UriBuilder(Uri());
if (Secure)
destUrl.Scheme = "https";
else
destUrl.Scheme = "http";
var useProxy = !WebRequest.DefaultWebProxy.IsBypassed(destUrl.Uri);
if (useProxy)
{
var proxyUrl = WebRequest.DefaultWebProxy.GetProxy(destUrl.Uri);
var proxy = new HttpConnectProxy(new DnsEndPoint(proxyUrl.Host, proxyUrl.Port), destUrl.Host);
ws.Proxy = proxy;
}
ws.Open();
}
private void ws_DataReceived(object sender, DataReceivedEventArgs e)
{
var log = LogManager.GetLogger(Global.CallerName());
log.Info("ws_DataReceived " + e.Data);
OnData(e.Data);
}
private void ws_Opened(object sender, EventArgs e)
{
var log = LogManager.GetLogger(Global.CallerName());
log.Info("ws_Opened " + ws.SupportBinary);
OnOpen();
}
private void ws_Closed(object sender, EventArgs e)
{
var log = LogManager.GetLogger(Global.CallerName());
log.Info("ws_Closed");
ws.Opened -= ws_Opened;
ws.Closed -= ws_Closed;
ws.MessageReceived -= ws_MessageReceived;
ws.DataReceived -= ws_DataReceived;
ws.Error -= ws_Error;
OnClose();
}
private void ws_MessageReceived(object sender, MessageReceivedEventArgs e)
{
var log = LogManager.GetLogger(Global.CallerName());
log.Info("ws_MessageReceived e.Message= " + e.Message);
OnData(e.Message);
}
private void ws_Error(object sender, ErrorEventArgs e)
{
OnError("websocket error", e.Exception);
}
protected override void Write(ImmutableList<Packet> packets)
{
Writable = false;
foreach (var packet in packets)
XSocket.Engine.Parser.Parser.EncodePacket(packet, new WriteEncodeCallback(this));
// fake drain
// defer to next tick to allow Socket to clear writeBuffer
//EasyTimer.SetTimeout(() =>
//{
Writable = true;
Emit(EventDrain);
//}, 1);
}
protected override void DoClose()
{
if (ws != null)
try
{
ws.Close();
}
catch (Exception e)
{
var log = LogManager.GetLogger(Global.CallerName());
log.Info("DoClose ws.Close() Exception= " + e.Message);
}
}
public string Uri()
{
Dictionary<string, string> query = null;
query = Query == null ? new Dictionary<string, string>() : new Dictionary<string, string>(Query);
var schema = Secure ? "wss" : "ws";
var portString = "";
if (TimestampRequests) query.Add(TimestampParam, DateTime.Now.Ticks + "-" + Timestamps++);
var _query = ParseQS.Encode(query);
if (Port > 0 && ("wss" == schema && Port != 443
|| "ws" == schema && Port != 80))
portString = ":" + Port;
if (_query.Length > 0) _query = "?" + _query;
return schema + "://" + Hostname + portString + Path + _query;
}
public class WriteEncodeCallback : IEncodeCallback
{
private readonly WebSocket webSocket;
public WriteEncodeCallback(WebSocket webSocket)
{
this.webSocket = webSocket;
}
public void Call(object data)
{
//var log = LogManager.GetLogger(Global.CallerName());
if (data is string)
{
webSocket.ws.Send((string) data);
}
else if (data is byte[])
{
var d = (byte[]) data;
//try
//{
// var dataString = BitConverter.ToString(d);
// //log.Info(string.Format("WriteEncodeCallback byte[] data {0}", dataString));
//}
//catch (Exception e)
//{
// log.Error(e);
//}
webSocket.ws.Send(d, 0, d.Length);
}
}
}
}
} | 32.915423 | 118 | 0.515719 | [
"Apache-2.0"
] | xksoft/xky | XSocket/Client/Transports/WebSocket.cs | 6,618 | C# |
// ----------------------------------------------------------------------------
// <copyright file="IStubMethodGenerator.cs" company="MTCS">
// Copyright (c) MTCS 2018.
// MTCS is a trading name of Meridian Technology Consultancy Services Ltd.
// Meridian Technology Consultancy Services Ltd is registered in England and
// Wales. Company number: 11184022.
// </copyright>
// ----------------------------------------------------------------------------
namespace Meridian.InterSproc.Definitions
{
using System.CodeDom;
using Meridian.InterSproc.Models;
/// <summary>
/// Describes the operations of the stub method generator.
/// </summary>
public interface IStubMethodGenerator
{
/// <summary>
/// Creates an individual stub method implementation.
/// </summary>
/// <param name="contractMethodInformation">
/// An instance of <see cref="ContractMethodInformation" />, containing
/// information on the method to generate.
/// </param>
/// <returns>
/// An instance of type <see cref="CodeMemberMethod" />.
/// </returns>
CodeMemberMethod CreateMethod(
ContractMethodInformation contractMethodInformation);
}
} | 37.757576 | 80 | 0.574639 | [
"MIT"
] | JTOne123/intersproc | Meridian.InterSproc/Meridian.InterSproc/Definitions/IStubMethodGenerator.cs | 1,248 | C# |
/**
* The MIT License
* Copyright (c) 2016 Population Register Centre (VRK)
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
using System;
using PTV.Database.DataAccess.Caches;
using PTV.Database.DataAccess.Interfaces.Translators;
using PTV.Database.Model.Models;
using PTV.Domain.Model.Models.OpenApi;
using PTV.Framework;
using PTV.Framework.Interfaces;
namespace PTV.Database.DataAccess.Translators.OpenApi.Channels
{
[RegisterService(typeof(ITranslator<ServiceChannelEmail, VmOpenApiLanguageItem>), RegisterType.Transient)]
internal class OpenApiServiceChannelEmailSupportTranslator : Translator<ServiceChannelEmail, VmOpenApiLanguageItem>
{
private readonly ILanguageCache languageCache;
public OpenApiServiceChannelEmailSupportTranslator(IResolveManager resolveManager, ITranslationPrimitives translationPrimitives, ICacheManager cacheManager) : base(resolveManager, translationPrimitives)
{
languageCache = cacheManager.LanguageCache;
}
public override VmOpenApiLanguageItem TranslateEntityToVm(ServiceChannelEmail entity)
{
if (entity == null || entity.Email == null) return null;
return CreateEntityViewModelDefinition<VmOpenApiLanguageItem>(entity)
.AddNavigation(i => string.IsNullOrEmpty(i.Email.Value) ? null : i.Email.Value, o => o.Value)
.AddNavigation(i => languageCache.GetByValue(i.Email.LocalizationId), o => o.Language)
.GetFinal();
}
public override ServiceChannelEmail TranslateVmToEntity(VmOpenApiLanguageItem vModel)
{
throw new NotImplementedException();
}
}
}
| 46.033898 | 210 | 0.745214 | [
"MIT"
] | MikkoVirenius/ptv-1.7 | src/PTV.Database.DataAccess/Translators/OpenApi/Channels/OpenApiServiceChannelEmailSupportTranslator.cs | 2,718 | C# |
using System;
using Swarmops.Common.Interfaces;
namespace Swarmops.Basic.Types
{
public class BasicParleyOption : IHasIdentity
{
public BasicParleyOption (int parleyOptionId, int parleyId, string description, Int64 amountCents, bool active)
{
ParleyOptionId = parleyOptionId;
ParleyId = parleyId;
Description = description;
AmountCents = amountCents;
Active = active;
}
public BasicParleyOption (BasicParleyOption original)
: this (
original.ParleyOptionId, original.ParleyId, original.Description, original.AmountCents, original.Active)
{
// empty copy ctor
}
public int ParleyOptionId { get; private set; }
public int ParleyId { get; private set; }
public string Description { get; private set; }
public Int64 AmountCents { get; private set; }
public bool Active { get; protected set; }
public int Identity
{
get { return ParleyOptionId; }
}
}
} | 32.028571 | 121 | 0.592328 | [
"Unlicense"
] | Swarmops/Swarmops | Basic/Types/BasicParleyOption.cs | 1,121 | C# |
//-----------------------------------------------------------------------
// <copyright file="RSAEngine.cs" company="Rare Crowds Inc">
// Copyright 2012-2013 Rare Crowds, Inc.
//
// 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.
// </copyright>
//-----------------------------------------------------------------------
using System;
using Utilities.Cryptography.OpenSsl.Native;
namespace Utilities.Cryptography.OpenSsl
{
/// <summary>Interface for cipher engines</summary>
/// <remarks>
/// This is a wrapper for functionality provided by the OpenSSL .Net managed interop and OpenSSL.
/// For license details, see $\trunk\External\openssl-net-0.5\LICENSE
/// </remarks>
internal class RSAEngine : ICipherEngine
{
/// <summary>Gets the name of the cipher algorithm</summary>
public string Algorithm
{
get { return "RSA"; }
}
/// <summary>Gets or sets the key container</summary>
public IKeyContainer KeyContainer { get; set; }
/// <summary>Gets the key container as its underlying type</summary>
private PemKeyContainer PemKeyContainer
{
get { return this.KeyContainer as PemKeyContainer; }
}
/// <summary>Encrypts the provided bytes</summary>
/// <param name="value">Bytes to encrypt</param>
/// <returns>Encrypted bytes</returns>
public byte[] Encrypt(byte[] value)
{
using (var rsa =
this.PemKeyContainer.IsPrivate ?
(this.PemKeyContainer.IsEncrypted ?
Rsa.FromPrivateKey(this.PemKeyContainer.Pem, this.PemKeyContainer.Password) :
Rsa.FromPrivateKey(this.PemKeyContainer.Pem)) :
(this.PemKeyContainer.IsEncrypted ?
Rsa.FromPublicKey(this.PemKeyContainer.Pem, this.PemKeyContainer.Password) :
Rsa.FromPublicKey(this.PemKeyContainer.Pem)))
{
return this.PemKeyContainer.IsPrivate ?
rsa.PrivateEncrypt(value, RsaPadding.PKCS1) :
rsa.PublicEncrypt(value, RsaPadding.PKCS1);
}
}
/// <summary>Decrypts the provided bytes</summary>
/// <param name="value">Bytes to decrypt</param>
/// <returns>Decrypted bytes</returns>
public byte[] Decrypt(byte[] value)
{
using (var rsa =
this.PemKeyContainer.IsPrivate ?
(this.PemKeyContainer.IsEncrypted ?
Rsa.FromPrivateKey(this.PemKeyContainer.Pem, this.PemKeyContainer.Password) :
Rsa.FromPrivateKey(this.PemKeyContainer.Pem)) :
(this.PemKeyContainer.IsEncrypted ?
Rsa.FromPublicKey(this.PemKeyContainer.Pem, this.PemKeyContainer.Password) :
Rsa.FromPublicKey(this.PemKeyContainer.Pem)))
{
return this.PemKeyContainer.IsPrivate ?
rsa.PrivateDecrypt(value, RsaPadding.PKCS1) :
rsa.PublicDecrypt(value, RsaPadding.PKCS1);
}
}
}
}
| 42.689655 | 101 | 0.583199 | [
"Apache-2.0"
] | chinnurtb/OpenAdStack | Common/OpenSsl/RSAEngine.cs | 3,716 | C# |
using System;
using System.Collections;
using System.Collections.Generic;
using System.Text;
namespace CustomStack
{
public class MyCustomStack<T> : IEnumerable<T>
{
private T[] items;
private int index = 0;
public MyCustomStack()
{
items = new T[4];
Count = 0;
}
public int Count { get; set; }
public IEnumerator<T> GetEnumerator()
{
index = Count - index - 1;
var element = items[index];
while (element != null)
{
yield return element;
if (index == 0)
{
break;
}
element = items[--index];
}
}
IEnumerator IEnumerable.GetEnumerator()
{
return GetEnumerator();
}
public void GrowArray()
{
var temp = new T[items.Length * 2];
for (int i = 0; i < items.Length; i++)
{
temp[i] = items[i];
}
items = temp;
}
public void Push(T[] itemsToAdd)
{
if (Count + itemsToAdd.Length > items.Length)
{
GrowArray();
}
var newLength = Count + itemsToAdd.Length;
int counter = 0;
for (int i = Count; i < newLength; i++)
{
items[i] = itemsToAdd[counter];
counter++;
}
Count = newLength;
}
public T Pop()
{
if (Count == 0)
{
Console.WriteLine("No elements");
//throw new InvalidOperationException("No elements");
}
Count--;
var temp = items[^1];
items[^1] = default;
return temp;
}
}
}
| 21.2 | 69 | 0.415618 | [
"MIT"
] | VenelinKadankov/CS-Advanced-SoftUni | IteratorsAndComparators/CustomStack/MyCustomStack.cs | 1,910 | C# |
using System.IO;
using System.Runtime.Serialization;
using GameEstate.Red.Formats.Red.CR2W.Reflection;
using FastMember;
using static GameEstate.Red.Formats.Red.Records.Enums;
namespace GameEstate.Red.Formats.Red.Types
{
[DataContract(Namespace = "")]
[REDMeta]
public class CAINpcSummonGuardsAction : CAINpcDefenseAction
{
public CAINpcSummonGuardsAction(CR2WFile cr2w, CVariable parent, string name) : base(cr2w, parent, name){ }
public static new CVariable Create(CR2WFile cr2w, CVariable parent, string name) => new CAINpcSummonGuardsAction(cr2w, parent, name);
public override void Read(BinaryReader file, uint size) => base.Read(file, size);
public override void Write(BinaryWriter file) => base.Write(file);
}
} | 33 | 136 | 0.754941 | [
"MIT"
] | bclnet/GameEstate | src/Estates/Red/GameEstate.Red.Format/Red/W3/RTTIConvert/CAINpcSummonGuardsAction.cs | 759 | C# |
using UnityEngine;
namespace MB.UniFader
{
public class DrawUtility
{
public static void DrawSeparator(float height)
{
GUILayout.Box("", GUILayout.ExpandWidth(true), GUILayout.Height(height));
}
}
}
| 19.153846 | 85 | 0.618474 | [
"MIT"
] | gok11/UniFader | Assets/UniFader/Scripts/Editor/Utility/DrawUtility.cs | 251 | C# |
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by a tool.
// Runtime Version:2.0.50727.5466
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
namespace HalsignLib.Properties
{
[global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()]
[global::System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.VisualStudio.Editors.SettingsDesigner.SettingsSingleFileGenerator", "9.0.0.0")]
internal sealed partial class Settings : global::System.Configuration.ApplicationSettingsBase
{
private static Settings defaultInstance = ((Settings)(global::System.Configuration.ApplicationSettingsBase.Synchronized(new Settings())));
public static Settings Default
{
get
{
return defaultInstance;
}
}
}
}
| 35.258065 | 151 | 0.564501 | [
"BSD-2-Clause"
] | yimng/xenconsole | HalsignLib/HalsignLib/Properties/Settings.Designer.cs | 1,095 | C# |
using System;
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
namespace MYear.ODA.Model
{
public partial class SYS_USER
{
public string STATUS { get; set; }
public string CREATED_BY { get; set; }
public DateTime? CREATED_DATE { get; set; }
public string LAST_UPDATED_BY { get; set; }
public DateTime? LAST_UPDATED_DATE { get; set; }
[Key]
public string USER_ACCOUNT { get; set; }
public string USER_NAME { get; set; }
public string USER_PASSWORD { get; set; }
public string EMAIL_ADDR { get; set; }
public string PHONE_NO { get; set; }
public string ADDRESS { get; set; }
public string FE_MALE { get; set; }
public decimal? FAIL_TIMES { get; set; }
public string IS_LOCKED { get; set; }
}
public partial class SYS_USER_ROLE
{
public string STATUS { get; set; }
public string CREATED_BY { get; set; }
public DateTime? CREATED_DATE { get; set; }
public string LAST_UPDATED_BY { get; set; }
public DateTime? LAST_UPDATED_DATE { get; set; }
[Key]
[Column(Order = 2)]
public string USER_ACCOUNT { get; set; }
[Key]
[Column(Order = 1)]
public string ROLE_CODE { get; set; }
}
[Dapper.Contrib.Extensions.Table("Test")]
public partial class Test
{
[Dapper.Contrib.Extensions.Key]
public int? Id { get; set; }
public byte? F_Byte { get; set; }
public Int16? F_Int16 { get; set; }
public int? F_Int32 { get; set; }
public long? F_Int64 { get; set; }
public double? F_Double { get; set; }
public float? F_Float { get; set; }
public decimal? F_Decimal { get; set; }
public bool? F_Bool { get; set; }
public DateTime? F_DateTime { get; set; }
public Guid? F_Guid { get; set; }
public string F_String { get; set; }
// public byte[] F_Bytes { get; set; }
}
}
| 30.910448 | 56 | 0.584742 | [
"MIT"
] | riwfnsse/MYear.ODA | MYear.PerformanceTest/Entity/Sys.Model.cs | 2,071 | C# |
/*
* Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file 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.
*/
/*
* Do not modify this file. This file is generated from the cloudtrail-2013-11-01.normal.json service model.
*/
using System;
using System.Collections.Generic;
using System.Text;
namespace Amazon.CloudTrail.Model
{
/// <summary>
/// Paginators for the CloudTrail service
///</summary>
public class CloudTrailPaginatorFactory : ICloudTrailPaginatorFactory
{
private readonly IAmazonCloudTrail client;
internal CloudTrailPaginatorFactory(IAmazonCloudTrail client)
{
this.client = client;
}
/// <summary>
/// Paginator for ListPublicKeys operation
///</summary>
public IListPublicKeysPaginator ListPublicKeys(ListPublicKeysRequest request)
{
return new ListPublicKeysPaginator(this.client, request);
}
/// <summary>
/// Paginator for ListTags operation
///</summary>
public IListTagsPaginator ListTags(ListTagsRequest request)
{
return new ListTagsPaginator(this.client, request);
}
/// <summary>
/// Paginator for ListTrails operation
///</summary>
public IListTrailsPaginator ListTrails(ListTrailsRequest request)
{
return new ListTrailsPaginator(this.client, request);
}
/// <summary>
/// Paginator for LookupEvents operation
///</summary>
public ILookupEventsPaginator LookupEvents(LookupEventsRequest request)
{
return new LookupEventsPaginator(this.client, request);
}
}
} | 31.114286 | 108 | 0.657943 | [
"Apache-2.0"
] | ChristopherButtars/aws-sdk-net | sdk/src/Services/CloudTrail/Generated/Model/_bcl45+netstandard/CloudTrailPaginatorFactory.cs | 2,178 | C# |
// Licensed to the .NET Foundation under one or more agreements.
// The .NET Foundation licenses this file to you under the MIT license.
// See the LICENSE file in the project root for more information.
using System;
using System.Collections.Immutable;
using System.Text;
using System.Threading;
using Microsoft.CodeAnalysis.Diagnostics;
using Microsoft.CodeAnalysis.Text;
namespace Microsoft.CodeAnalysis
{
/// <summary>
/// Context passed to a source generator when <see cref="ISourceGenerator.Execute(GeneratorExecutionContext)"/> is called
/// </summary>
public readonly struct GeneratorExecutionContext
{
private readonly DiagnosticBag _diagnostics;
private readonly AdditionalSourcesCollection _additionalSources;
internal GeneratorExecutionContext(
Compilation compilation,
ParseOptions parseOptions,
ImmutableArray<AdditionalText> additionalTexts,
AnalyzerConfigOptionsProvider optionsProvider,
ISyntaxContextReceiver? syntaxReceiver,
AdditionalSourcesCollection additionalSources,
CancellationToken cancellationToken = default
)
{
Compilation = compilation;
ParseOptions = parseOptions;
AdditionalFiles = additionalTexts;
AnalyzerConfigOptions = optionsProvider;
SyntaxReceiver = (syntaxReceiver as SyntaxContextReceiverAdaptor)?.Receiver;
SyntaxContextReceiver =
(syntaxReceiver is SyntaxContextReceiverAdaptor) ? null : syntaxReceiver;
CancellationToken = cancellationToken;
_additionalSources = additionalSources;
_diagnostics = new DiagnosticBag();
}
/// <summary>
/// Get the current <see cref="CodeAnalysis.Compilation"/> at the time of execution.
/// </summary>
/// <remarks>
/// This compilation contains only the user supplied code; other generated code is not
/// available. As user code can depend on the results of generation, it is possible that
/// this compilation will contain errors.
/// </remarks>
public Compilation Compilation { get; }
/// <summary>
/// Get the <see cref="CodeAnalysis.ParseOptions"/> that will be used to parse any added sources.
/// </summary>
public ParseOptions ParseOptions { get; }
/// <summary>
/// A set of additional non-code text files that can be used by generators.
/// </summary>
public ImmutableArray<AdditionalText> AdditionalFiles { get; }
/// <summary>
/// Allows access to options provided by an analyzer config
/// </summary>
public AnalyzerConfigOptionsProvider AnalyzerConfigOptions { get; }
/// <summary>
/// If the generator registered an <see cref="ISyntaxReceiver"/> during initialization, this will be the instance created for this generation pass.
/// </summary>
public ISyntaxReceiver? SyntaxReceiver { get; }
/// <summary>
/// If the generator registered an <see cref="ISyntaxContextReceiver"/> during initialization, this will be the instance created for this generation pass.
/// </summary>
public ISyntaxContextReceiver? SyntaxContextReceiver { get; }
/// <summary>
/// A <see cref="System.Threading.CancellationToken"/> that can be checked to see if the generation should be cancelled.
/// </summary>
public CancellationToken CancellationToken { get; }
/// <summary>
/// Adds source code in the form of a <see cref="string"/> to the compilation.
/// </summary>
/// <param name="hintName">An identifier that can be used to reference this source text, must be unique within this generator</param>
/// <param name="source">The source code to add to the compilation</param>
public void AddSource(string hintName, string source) =>
AddSource(hintName, SourceText.From(source, Encoding.UTF8));
/// <summary>
/// Adds a <see cref="SourceText"/> to the compilation
/// </summary>
/// <param name="hintName">An identifier that can be used to reference this source text, must be unique within this generator</param>
/// <param name="sourceText">The <see cref="SourceText"/> to add to the compilation</param>
public void AddSource(string hintName, SourceText sourceText) =>
_additionalSources.Add(hintName, sourceText);
/// <summary>
/// Adds a <see cref="Diagnostic"/> to the users compilation
/// </summary>
/// <param name="diagnostic">The diagnostic that should be added to the compilation</param>
/// <remarks>
/// The severity of the diagnostic may cause the compilation to fail, depending on the <see cref="Compilation"/> settings.
/// </remarks>
public void ReportDiagnostic(Diagnostic diagnostic) => _diagnostics.Add(diagnostic);
internal (ImmutableArray<GeneratedSourceText> sources, ImmutableArray<Diagnostic> diagnostics) ToImmutableAndFree() =>
(_additionalSources.ToImmutableAndFree(), _diagnostics.ToReadOnlyAndFree());
}
/// <summary>
/// Context passed to a source generator when <see cref="ISourceGenerator.Initialize(GeneratorInitializationContext)"/> is called
/// </summary>
public struct GeneratorInitializationContext
{
internal GeneratorInitializationContext(CancellationToken cancellationToken = default)
{
CancellationToken = cancellationToken;
InfoBuilder = new GeneratorInfo.Builder();
}
/// <summary>
/// A <see cref="System.Threading.CancellationToken"/> that can be checked to see if the initialization should be cancelled.
/// </summary>
public CancellationToken CancellationToken { get; }
internal GeneratorInfo.Builder InfoBuilder { get; }
internal void RegisterForAdditionalFileChanges(EditCallback<AdditionalFileEdit> callback)
{
CheckIsEmpty(InfoBuilder.EditCallback);
InfoBuilder.EditCallback = callback;
}
/// <summary>
/// Register a <see cref="SyntaxReceiverCreator"/> for this generator, which can be used to create an instance of an <see cref="ISyntaxReceiver"/>.
/// </summary>
/// <remarks>
/// This method allows generators to be 'syntax aware'. Before each generation the <paramref name="receiverCreator"/> will be invoked to create
/// an instance of <see cref="ISyntaxReceiver"/>. This receiver will have its <see cref="ISyntaxReceiver.OnVisitSyntaxNode(SyntaxNode)"/>
/// invoked for each syntax node in the compilation, allowing the receiver to build up information about the compilation before generation occurs.
///
/// During <see cref="ISourceGenerator.Execute(GeneratorExecutionContext)"/> the generator can obtain the <see cref="ISyntaxReceiver"/> instance that was
/// created by accessing the <see cref="GeneratorExecutionContext.SyntaxReceiver"/> property. Any information that was collected by the receiver can be
/// used to generate the final output.
///
/// A new instance of <see cref="ISyntaxReceiver"/> is created per-generation, meaning there is no need to manage the lifetime of the
/// receiver or its contents.
/// </remarks>
/// <param name="receiverCreator">A <see cref="SyntaxReceiverCreator"/> that can be invoked to create an instance of <see cref="ISyntaxReceiver"/></param>
public void RegisterForSyntaxNotifications(SyntaxReceiverCreator receiverCreator)
{
CheckIsEmpty(
InfoBuilder.SyntaxContextReceiverCreator,
$"{nameof(SyntaxReceiverCreator)} / {nameof(SyntaxContextReceiverCreator)}"
);
InfoBuilder.SyntaxContextReceiverCreator = SyntaxContextReceiverAdaptor.Create(
receiverCreator
);
}
/// <summary>
/// Register a <see cref="SyntaxContextReceiverCreator"/> for this generator, which can be used to create an instance of an <see cref="ISyntaxContextReceiver"/>.
/// </summary>
/// <remarks>
/// This method allows generators to be 'syntax aware'. Before each generation the <paramref name="receiverCreator"/> will be invoked to create
/// an instance of <see cref="ISyntaxContextReceiver"/>. This receiver will have its <see cref="ISyntaxContextReceiver.OnVisitSyntaxNode(GeneratorSyntaxContext)"/>
/// invoked for each syntax node in the compilation, allowing the receiver to build up information about the compilation before generation occurs.
///
/// During <see cref="ISourceGenerator.Execute(GeneratorExecutionContext)"/> the generator can obtain the <see cref="ISyntaxContextReceiver"/> instance that was
/// created by accessing the <see cref="GeneratorExecutionContext.SyntaxContextReceiver"/> property. Any information that was collected by the receiver can be
/// used to generate the final output.
///
/// A new instance of <see cref="ISyntaxContextReceiver"/> is created prior to every call to <see cref="ISourceGenerator.Execute(GeneratorExecutionContext)"/>,
/// meaning there is no need to manage the lifetime of the receiver or its contents.
/// </remarks>
/// <param name="receiverCreator">A <see cref="SyntaxContextReceiverCreator"/> that can be invoked to create an instance of <see cref="ISyntaxContextReceiver"/></param>
public void RegisterForSyntaxNotifications(SyntaxContextReceiverCreator receiverCreator)
{
CheckIsEmpty(
InfoBuilder.SyntaxContextReceiverCreator,
$"{nameof(SyntaxReceiverCreator)} / {nameof(SyntaxContextReceiverCreator)}"
);
InfoBuilder.SyntaxContextReceiverCreator = receiverCreator;
}
/// <summary>
/// Register a callback that is invoked after initialization.
/// </summary>
/// <remarks>
/// This method allows a generator to opt-in to an extra phase in the generator lifecycle called PostInitialization. After being initialized
/// any generators that have opted in will have their provided callback invoked with a <see cref="GeneratorPostInitializationContext"/> instance
/// that can be used to alter the compilation that is provided to subsequent generator phases.
///
/// For example a generator may choose to add sources during PostInitialization. These will be added to the compilation before execution and
/// will be visited by a registered <see cref="ISyntaxReceiver"/> and available for semantic analysis as part of the <see cref="GeneratorExecutionContext.Compilation"/>
///
/// Note that any sources added during PostInitialization <i>will</i> be visible to the later phases of other generators operation on the compilation.
/// </remarks>
/// <param name="callback">An <see cref="Action{T}"/> that accepts a <see cref="GeneratorPostInitializationContext"/> that will be invoked after initialization.</param>
public void RegisterForPostInitialization(
Action<GeneratorPostInitializationContext> callback
)
{
CheckIsEmpty(InfoBuilder.PostInitCallback);
InfoBuilder.PostInitCallback = callback;
}
private static void CheckIsEmpty<T>(T x, string? typeName = null) where T : class?
{
if (x is object)
{
throw new InvalidOperationException(
string.Format(
CodeAnalysisResources.Single_type_per_generator_0,
typeName ?? typeof(T).Name
)
);
}
}
}
/// <summary>
/// Context passed to an <see cref="ISyntaxContextReceiver"/> when <see cref="ISyntaxContextReceiver.OnVisitSyntaxNode(GeneratorSyntaxContext)"/> is called
/// </summary>
public readonly struct GeneratorSyntaxContext
{
internal GeneratorSyntaxContext(SyntaxNode node, SemanticModel semanticModel)
{
Node = node;
SemanticModel = semanticModel;
}
/// <summary>
/// The <see cref="SyntaxNode"/> currently being visited
/// </summary>
public SyntaxNode Node { get; }
/// <summary>
/// The <see cref="CodeAnalysis.SemanticModel" /> that can be queried to obtain information about <see cref="Node"/>.
/// </summary>
public SemanticModel SemanticModel { get; }
}
/// <summary>
/// Context passed to a source generator when it has opted-in to PostInitialization via <see cref="GeneratorInitializationContext.RegisterForPostInitialization(Action{GeneratorPostInitializationContext})"/>
/// </summary>
public readonly struct GeneratorPostInitializationContext
{
private readonly AdditionalSourcesCollection _additionalSources;
internal GeneratorPostInitializationContext(
AdditionalSourcesCollection additionalSources,
CancellationToken cancellationToken
)
{
_additionalSources = additionalSources;
CancellationToken = cancellationToken;
}
/// <summary>
/// A <see cref="System.Threading.CancellationToken"/> that can be checked to see if the PostInitialization should be cancelled.
/// </summary>
public CancellationToken CancellationToken { get; }
/// <summary>
/// Adds source code in the form of a <see cref="string"/> to the compilation that will be available during subsequent phases
/// </summary>
/// <param name="hintName">An identifier that can be used to reference this source text, must be unique within this generator</param>
/// <param name="source">The source code to add to the compilation</param>
public void AddSource(string hintName, string source) =>
AddSource(hintName, SourceText.From(source, Encoding.UTF8));
/// <summary>
/// Adds a <see cref="SourceText"/> to the compilation that will be available during subsequent phases
/// </summary>
/// <param name="hintName">An identifier that can be used to reference this source text, must be unique within this generator</param>
/// <param name="sourceText">The <see cref="SourceText"/> to add to the compilation</param>
public void AddSource(string hintName, SourceText sourceText) =>
_additionalSources.Add(hintName, sourceText);
}
internal readonly struct GeneratorEditContext
{
internal GeneratorEditContext(
AdditionalSourcesCollection sources,
CancellationToken cancellationToken = default
)
{
AdditionalSources = sources;
CancellationToken = cancellationToken;
}
public CancellationToken CancellationToken { get; }
public AdditionalSourcesCollection AdditionalSources { get; }
}
}
| 50.682119 | 210 | 0.664968 | [
"MIT"
] | belav/roslyn | src/Compilers/Core/Portable/SourceGeneration/GeneratorContexts.cs | 15,308 | C# |
using CefSharp;
using CefSharp.OffScreen;
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Text;
using System.Threading;
using System.Threading.Tasks;
namespace CoreCmdPlayground.CefSharp
{
public class BrowserWrapper
{
/// <summary>
/// The browser page
/// </summary>
public ChromiumWebBrowser Page { get; private set; }
/// <summary>
/// The request context
/// </summary>
public RequestContext RequestContext { get; private set; }
// chromium does not manage timeouts, so we'll implement one
private ManualResetEvent manualResetEvent = new ManualResetEvent(false);
public BrowserWrapper()
{
var settings = new CefSettings()
{
//By default CefSharp will use an in-memory cache, you need to specify a Cache Folder to persist data
CachePath = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData), "CefSharp\\Cache"),
};
//Autoshutdown when closing
CefSharpSettings.ShutdownOnExit = true;
//Perform dependency check to make sure all relevant resources are in our output directory.
Cef.Initialize(settings, performDependencyCheck: true, browserProcessHandler: null);
RequestContext = new RequestContext();
Page = new ChromiumWebBrowser("", null, RequestContext);
PageInitialize();
}
/// <summary>
/// Open the given url
/// </summary>
/// <param name="url">the url</param>
/// <returns></returns>
public void OpenUrl(string url)
{
try
{
Page.LoadingStateChanged += PageLoadingStateChanged;
if (Page.IsBrowserInitialized)
{
Page.Load(url);
//create a 60 sec timeout
bool isSignalled = manualResetEvent.WaitOne(TimeSpan.FromSeconds(60));
manualResetEvent.Reset();
//As the request may actually get an answer, we'll force stop when the timeout is passed
if (!isSignalled)
{
Page.Stop();
}
}
}
catch (ObjectDisposedException)
{
//happens on the manualResetEvent.Reset(); when a cancelation token has disposed the context
}
Page.LoadingStateChanged -= PageLoadingStateChanged;
}
/// <summary>
/// Manage the IsLoading parameter
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void PageLoadingStateChanged(object sender, LoadingStateChangedEventArgs e)
{
// Check to see if loading is complete - this event is called twice, one when loading starts
// second time when it's finished
if (!e.IsLoading)
{
manualResetEvent.Set();
}
}
/// <summary>
/// Wait until page initialization
/// </summary>
private void PageInitialize()
{
SpinWait.SpinUntil(() => Page.IsBrowserInitialized);
}
}
}
| 33.009709 | 135 | 0.558235 | [
"MIT"
] | li-rongcheng/CoreCmdPlayground | CoreCmdPlayground.CefSharp/BrowserWrapper.cs | 3,402 | C# |
/*
* Tencent is pleased to support the open source community by making xLua available.
* Copyright (C) 2016 THL A29 Limited, a Tencent company. All rights reserved.
* Licensed under the MIT License (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
* http://opensource.org/licenses/MIT
* 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.
*/
using System;
using UnityEngine;
using XLua;
namespace XLuaTest
{
public class PropertyChangedEventArgs : EventArgs
{
public string name;
public object value;
}
public class InvokeLua : MonoBehaviour
{
[CSharpCallLua]
public interface ICalc
{
event EventHandler<PropertyChangedEventArgs> PropertyChanged;
int Add(int a, int b);
int Mult { get; set; }
object this[int index] { get; set; }
}
[CSharpCallLua]
public delegate ICalc CalcNew(int mult, params string[] args);
private string script = @"
local calc_mt = {
__index = {
Add = function(self, a, b)
return (a + b) * self.Mult
end,
get_Item = function(self, index)
return self.list[index + 1]
end,
set_Item = function(self, index, value)
self.list[index + 1] = value
self:notify({name = index, value = value})
end,
add_PropertyChanged = function(self, delegate)
self.notifylist = self.notifylist or {}
table.insert(self.notifylist, delegate)
print('add',delegate)
end,
remove_PropertyChanged = function(self, delegate)
for i=1, #self.notifylist do
if CS.System.Object.Equals(self.notifylist[i], delegate) then
table.remove(self.notifylist, i)
break
end
end
print('remove', delegate)
end,
notify = function(self, evt)
if self.notifylist ~= nil then
for i=1, #self.notifylist do
self.notifylist[i](self, evt)
end
end
end,
}
}
Calc = {
New = function (mult, ...)
print(...)
return setmetatable({Mult = mult, list = {'aaaa','bbbb','cccc'}}, calc_mt)
end
}
";
// Use this for initialization
void Start()
{
LuaEnv luaenv = new LuaEnv();
Test(luaenv);//调用了带可变参数的delegate,函数结束都不会释放delegate,即使置空并调用GC
luaenv.Dispose();
}
void Test(LuaEnv luaenv)
{
luaenv.DoString(script);
CalcNew calc_new = luaenv.Global.GetInPath<CalcNew>("Calc.New");
ICalc calc = calc_new(10, "hi", "john"); //constructor
Debug.Log("sum(*10) =" + calc.Add(1, 2));
calc.Mult = 100;
Debug.Log("sum(*100)=" + calc.Add(1, 2));
Debug.Log("list[0]=" + calc[0]);
Debug.Log("list[1]=" + calc[1]);
calc.PropertyChanged += Notify;
calc[1] = "dddd";
Debug.Log("list[1]=" + calc[1]);
calc.PropertyChanged -= Notify;
calc[1] = "eeee";
Debug.Log("list[1]=" + calc[1]);
}
void Notify(object sender, PropertyChangedEventArgs e)
{
Debug.Log(string.Format("{0} has property changed {1}={2}", sender, e.name, e.value));
}
// Update is called once per frame
void Update()
{
}
}
} | 35.669291 | 308 | 0.472627 | [
"BSD-3-Clause"
] | yl3495470/Survival | Assets/XLua/Examples/04_LuaObjectOrented/InvokeLua.cs | 4,586 | C# |
//----------------------
// <auto-generated>
// Generated using the NSwag toolchain v13.14.5.0 (NJsonSchema v10.5.2.0 (Newtonsoft.Json v13.0.0.0)) (http://NSwag.org)
// </auto-generated>
//----------------------
#nullable enable
using Shared.Models;
#pragma warning disable 108 // Disable "CS0108 '{derivedDto}.ToJson()' hides inherited member '{dtoBase}.ToJson()'. Use the new keyword if hiding was intended."
#pragma warning disable 114 // Disable "CS0114 '{derivedDto}.RaisePropertyChanged(String)' hides inherited member 'dtoBase.RaisePropertyChanged(String)'. To make the current member override that implementation, add the override keyword. Otherwise add the new keyword."
#pragma warning disable 472 // Disable "CS0472 The result of the expression is always 'false' since a value of type 'Int32' is never equal to 'null' of type 'Int32?'
#pragma warning disable 1573 // Disable "CS1573 Parameter '...' has no matching param tag in the XML comment for ...
#pragma warning disable 1591 // Disable "CS1591 Missing XML comment for publicly visible type or member ..."
#pragma warning disable 8073 // Disable "CS8073 The result of the expression is always 'false' since a value of type 'T' is never equal to 'null' of type 'T?'"
#pragma warning disable 3016 // Disable "CS3016 Arrays as attribute arguments is not CLS-compliant"
namespace FundAdministration.GlobalAccounting.Holding.FixedBonds
{
using System = global::System;
[System.CodeDom.Compiler.GeneratedCode("NSwag", "13.14.5.0 (NJsonSchema v10.5.2.0 (Newtonsoft.Json v13.0.0.0))")]
public partial interface IFixedBondService
{
/// <param name="cancellationToken">A cancellation token that can be used by other objects or threads to receive notice of cancellation.</param>
/// <summary>Creates fixed bonds master record</summary>
/// <param name="payload">createFixedBond Payload</param>
/// <param name="referenceId">uniqueId for security purpose</param>
/// <param name="token">unique token</param>
/// <param name="username">username</param>
/// <param name="company">company name</param>
/// <param name="command">API operations like INVOKE, VALIDATE, PROCESS can be set or by default PROCESS is set</param>
/// <returns>createFixedBond Success Response</returns>
/// <exception cref="ApiException">A server side error occurred.</exception>
System.Threading.Tasks.Task<CreateFixedBondSuccessResponse> CreateFixedBondAsync(_0BULKPayload payload, string? referenceId = null, string? token = null, string? username = null, string? company = null, string? command = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken));
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class _0BULKPayload
{
[System.Text.Json.Serialization.JsonPropertyName("header")]
public object? Header { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("body")]
public Body? Body { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class PaginationSchema
{
[System.Text.Json.Serialization.JsonPropertyName("page")]
public string? Page { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("size")]
public string? Size { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("count")]
public string? Count { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("total")]
public string? Total { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class AuditSchema
{
[System.Text.Json.Serialization.JsonPropertyName("startTime")]
public string? StartTime { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("endTime")]
public string? EndTime { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("processTime")]
public string? ProcessTime { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class SuccessHeaderstatusSchema
{
[System.Text.Json.Serialization.JsonPropertyName("result")]
public string? Result { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("HTTP_MESSAGE")]
public string? HTTP_MESSAGE { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("description")]
public string? Description { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("message")]
public string? Message { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("HTTP_CODE")]
public string? HTTP_CODE { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("requestId")]
public string? RequestId { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("responseId")]
public string? ResponseId { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("eTag")]
public string? ETag { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("lastModified")]
public string? LastModified { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class CreateFixedBondSuccessheaderResponse
{
[System.Text.Json.Serialization.JsonPropertyName("pagination")]
public PaginationSchema? Pagination { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("audit")]
public AuditSchema? Audit { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("status")]
public SuccessHeaderstatusSchema? Status { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("company")]
public string? Company { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("username")]
public string? Username { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("referenceId")]
public string? ReferenceId { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("token")]
public string? Token { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("details")]
public System.Collections.Generic.ICollection<Details>? Details { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class CreateFixedBondrecordsSchema : System.Collections.ObjectModel.Collection<_0>
{
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class CreateFixedBondSuccessbodyResponse
{
[System.Text.Json.Serialization.JsonPropertyName("records")]
public CreateFixedBondrecordsSchema? Records { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class CreateFixedBondSuccessResponse
{
[System.Text.Json.Serialization.JsonPropertyName("header")]
public CreateFixedBondSuccessheaderResponse? Header { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("body")]
public CreateFixedBondSuccessbodyResponse? Body { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class ErrorHeaderstatusSchema
{
[System.Text.Json.Serialization.JsonPropertyName("result")]
public string? Result { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("HTTP_MESSAGE")]
public string? HTTP_MESSAGE { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("description")]
public string? Description { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("message")]
public string? Message { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("HTTP_CODE")]
public string? HTTP_CODE { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("requestId")]
public string? RequestId { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("responseId")]
public string? ResponseId { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("eTag")]
public string? ETag { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("lastModified")]
public string? LastModified { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("details")]
public System.Collections.Generic.ICollection<Details2>? Details { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class CreateFixedBondErrorheaderResponse
{
[System.Text.Json.Serialization.JsonPropertyName("pagination")]
public PaginationSchema? Pagination { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("audit")]
public AuditSchema? Audit { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("status")]
public ErrorHeaderstatusSchema? Status { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("referenceId")]
public string? ReferenceId { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("token")]
public string? Token { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("username")]
public string? Username { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class CreateFixedBondErrorbodyResponse
{
[System.Text.Json.Serialization.JsonPropertyName("items")]
public System.Collections.Generic.ICollection<Items>? Items { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class CreateFixedBondErrorResponse
{
[System.Text.Json.Serialization.JsonPropertyName("header")]
public CreateFixedBondErrorheaderResponse? Header { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("body")]
public object? Body { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class _0
{
/// <summary>Transaction Type</summary>
[System.Text.Json.Serialization.JsonPropertyName("transactionType")]
public string? TransactionType { get; set; }= default!;
/// <summary>External security identification code</summary>
[System.Text.Json.Serialization.JsonPropertyName("instrumentId")]
public string? InstrumentId { get; set; }= default!;
/// <summary>Name</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityName")]
public string? SecurityName { get; set; }= default!;
/// <summary>Security long description</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityLongDescription")]
public string? SecurityLongDescription { get; set; }= default!;
/// <summary>This can be used to provide a Short description of the fields like security,Ctable,Account Group etc.</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityShortDescription")]
public string? SecurityShortDescription { get; set; }= default!;
/// <summary>This is the reporting code tagged to an account.</summary>
[System.Text.Json.Serialization.JsonPropertyName("reportingCode")]
public string? ReportingCode { get; set; }= default!;
/// <summary>Locale type</summary>
[System.Text.Json.Serialization.JsonPropertyName("legalReportingAssetTypeCategory")]
public string? LegalReportingAssetTypeCategory { get; set; }= default!;
/// <summary>External system category</summary>
[System.Text.Json.Serialization.JsonPropertyName("externalInstrumentCategory")]
public string? ExternalInstrumentCategory { get; set; }= default!;
/// <summary>Security issued country code</summary>
[System.Text.Json.Serialization.JsonPropertyName("countryCode")]
public string? CountryCode { get; set; }= default!;
/// <summary>Branche code</summary>
[System.Text.Json.Serialization.JsonPropertyName("industryector")]
public double? Industryector { get; set; }= default!;
/// <summary>Security quotation place</summary>
[System.Text.Json.Serialization.JsonPropertyName("quotationPlace")]
public string? QuotationPlace { get; set; }= default!;
/// <summary>Nominal of the Intrument</summary>
[System.Text.Json.Serialization.JsonPropertyName("smallestTreatableSecurityUnit")]
public double? SmallestTreatableSecurityUnit { get; set; }= default!;
/// <summary>Price provider code</summary>
[System.Text.Json.Serialization.JsonPropertyName("providerCode")]
public string? ProviderCode { get; set; }= default!;
/// <summary>Security quotation currency</summary>
[System.Text.Json.Serialization.JsonPropertyName("quotationCurrency")]
public string? QuotationCurrency { get; set; }= default!;
/// <summary>Frequency of payment of coupon/ commission</summary>
[System.Text.Json.Serialization.JsonPropertyName("couponFrequency")]
public string? CouponFrequency { get; set; }= default!;
/// <summary>Issue Date of an instrument, like for Bonds</summary>
[System.Text.Json.Serialization.JsonPropertyName("issueDate")]
[System.Text.Json.Serialization.JsonConverter(typeof(DateFormatConverter))]
public System.DateTimeOffset? IssueDate { get; set; }= default!;
/// <summary>FirstCouponDate</summary>
[System.Text.Json.Serialization.JsonPropertyName("couponDate")]
public string? CouponDate { get; set; }= default!;
/// <summary>Reflects the Irregular next Interest period END date</summary>
[System.Text.Json.Serialization.JsonPropertyName("forFrnSecuritiesThisDateWillBeTheEndOfThePeriod")]
[System.Text.Json.Serialization.JsonConverter(typeof(DateFormatConverter))]
public System.DateTimeOffset? ForFrnSecuritiesThisDateWillBeTheEndOfThePeriod { get; set; }= default!;
/// <summary>Total amount of the issue. Used for investment restrictions control.</summary>
[System.Text.Json.Serialization.JsonPropertyName("issueCapital")]
public double? IssueCapital { get; set; }= default!;
/// <summary>Maturity Date of an instrument, like for Bonds</summary>
[System.Text.Json.Serialization.JsonPropertyName("expiryDate")]
[System.Text.Json.Serialization.JsonConverter(typeof(DateFormatConverter))]
public System.DateTimeOffset? ExpiryDate { get; set; }= default!;
/// <summary>Interest calculation algorithm</summary>
[System.Text.Json.Serialization.JsonPropertyName("interestCalculationAlgorithm")]
public string? InterestCalculationAlgorithm { get; set; }= default!;
/// <summary>Interest rate</summary>
[System.Text.Json.Serialization.JsonPropertyName("couponRate")]
public double? CouponRate { get; set; }= default!;
/// <summary>Redemption price</summary>
[System.Text.Json.Serialization.JsonPropertyName("redemptionPrice")]
public double? RedemptionPrice { get; set; }= default!;
/// <summary>IdentificationCodeDepositary</summary>
[System.Text.Json.Serialization.JsonPropertyName("typeOfIssuer")]
public string? TypeOfIssuer { get; set; }= default!;
/// <summary>Depositary</summary>
[System.Text.Json.Serialization.JsonPropertyName("issuerOfSecurity")]
public string? IssuerOfSecurity { get; set; }= default!;
/// <summary>IdentificationCodeDepositaryGUA</summary>
[System.Text.Json.Serialization.JsonPropertyName("idTypeOfProvider")]
public string? IdTypeOfProvider { get; set; }= default!;
/// <summary>DepositaryGUA</summary>
[System.Text.Json.Serialization.JsonPropertyName("internalIdOfIssuer")]
public string? InternalIdOfIssuer { get; set; }= default!;
/// <summary>Security provider1 code</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityProvider1Code")]
public string? SecurityProvider1Code { get; set; }= default!;
/// <summary>Security Id code at provider1</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIdCodeAtProvider1")]
public string? SecurityIdCodeAtProvider1 { get; set; }= default!;
/// <summary>Security provider2 code2</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityProvider2Code")]
public string? SecurityProvider2Code { get; set; }= default!;
/// <summary>Security Id code at provider2</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIdCodeAtProvider2")]
public string? SecurityIdCodeAtProvider2 { get; set; }= default!;
/// <summary>Security provider3 code3</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityProvider3Code")]
public string? SecurityProvider3Code { get; set; }= default!;
/// <summary>Security Id code at provider3</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIdCodeAtProvider3")]
public string? SecurityIdCodeAtProvider3 { get; set; }= default!;
/// <summary>Security provider4 code4</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityProvider4Code")]
public string? SecurityProvider4Code { get; set; }= default!;
/// <summary>Security Id code at provider4</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIdCodeAtProvider4")]
public string? SecurityIdCodeAtProvider4 { get; set; }= default!;
/// <summary>Security provider5 code5</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityProvider5Code")]
public string? SecurityProvider5Code { get; set; }= default!;
/// <summary>Security Id code at provider5</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIdCodeAtProvider5")]
public string? SecurityIdCodeAtProvider5 { get; set; }= default!;
/// <summary>Language code2</summary>
[System.Text.Json.Serialization.JsonPropertyName("languageCode2")]
public string? LanguageCode2 { get; set; }= default!;
/// <summary>Description in language 2</summary>
[System.Text.Json.Serialization.JsonPropertyName("descriptionInLanguage2")]
public string? DescriptionInLanguage2 { get; set; }= default!;
/// <summary>Security provider6 code</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityProvider6Code")]
public string? SecurityProvider6Code { get; set; }= default!;
/// <summary>Security Id code at provider6</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIdCodeAtProvider6")]
public string? SecurityIdCodeAtProvider6 { get; set; }= default!;
/// <summary>Security provider7 code</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityProvider7Code")]
public string? SecurityProvider7Code { get; set; }= default!;
/// <summary>Security Id code at provider7</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIdCodeAtProvider7")]
public string? SecurityIdCodeAtProvider7 { get; set; }= default!;
/// <summary>Security provider8 code</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityProvider8Code")]
public string? SecurityProvider8Code { get; set; }= default!;
/// <summary>Security Id code at provider8</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIdCodeAtProvider8")]
public string? SecurityIdCodeAtProvider8 { get; set; }= default!;
/// <summary>Status</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityStatusYForActiveAndNForInactive")]
public string? SecurityStatusYForActiveAndNForInactive { get; set; }= default!;
/// <summary>Int. begin date</summary>
[System.Text.Json.Serialization.JsonPropertyName("interestBeginDate")]
[System.Text.Json.Serialization.JsonConverter(typeof(DateFormatConverter))]
public System.DateTimeOffset? InterestBeginDate { get; set; }= default!;
/// <summary>Issue price</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityIssuePrice")]
public double? SecurityIssuePrice { get; set; }= default!;
/// <summary>Redemption currency</summary>
[System.Text.Json.Serialization.JsonPropertyName("redemptionCurrency")]
public string? RedemptionCurrency { get; set; }= default!;
/// <summary>Income currency</summary>
[System.Text.Json.Serialization.JsonPropertyName("incomeCurrencyIfOtherThanSecurityCurrency")]
public string? IncomeCurrencyIfOtherThanSecurityCurrency { get; set; }= default!;
/// <summary>Reflects the Irregular Interest period begin date</summary>
[System.Text.Json.Serialization.JsonPropertyName("irregularPeriodBeginDate")]
[System.Text.Json.Serialization.JsonConverter(typeof(DateFormatConverter))]
public System.DateTimeOffset? IrregularPeriodBeginDate { get; set; }= default!;
/// <summary>Contract size</summary>
[System.Text.Json.Serialization.JsonPropertyName("contractSize")]
public double? ContractSize { get; set; }= default!;
/// <summary>cleanOrDirtyPrice</summary>
[System.Text.Json.Serialization.JsonPropertyName("cleanOrDirtyPriceOnlyIfIncomeTypeLessThan1")]
public string? CleanOrDirtyPriceOnlyIfIncomeTypeLessThan1 { get; set; }= default!;
/// <summary>Convertibility start date</summary>
[System.Text.Json.Serialization.JsonPropertyName("convertibilityStartDate")]
[System.Text.Json.Serialization.JsonConverter(typeof(DateFormatConverter))]
public System.DateTimeOffset? ConvertibilityStartDate { get; set; }= default!;
/// <summary>Convertibility end date</summary>
[System.Text.Json.Serialization.JsonPropertyName("convertibilityEndDate")]
[System.Text.Json.Serialization.JsonConverter(typeof(DateFormatConverter))]
public System.DateTimeOffset? ConvertibilityEndDate { get; set; }= default!;
/// <summary>Security number to be converted</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityNumberToBeConverted")]
public double? SecurityNumberToBeConverted { get; set; }= default!;
/// <summary>Convertibility date: Related to step up bonds, convertibility date has to be defined with the switch date of the interest from zero/low coupon to the higher coupon.</summary>
[System.Text.Json.Serialization.JsonPropertyName("convertibilityDate")]
[System.Text.Json.Serialization.JsonConverter(typeof(DateFormatConverter))]
public System.DateTimeOffset? ConvertibilityDate { get; set; }= default!;
/// <summary>Allows review and update of the ex-coupon dates for the interest receivable.</summary>
[System.Text.Json.Serialization.JsonPropertyName("securityExCouponDateFlag")]
public string? SecurityExCouponDateFlag { get; set; }= default!;
/// <summary>Security coupon date</summary>
[System.Text.Json.Serialization.JsonPropertyName("flagYOrNToCalculateOrNotTheAverageEoniaRatesInCaseOfBenchmarkSecurityAndSecuritiesWithIncomeSmoothing")]
public string? FlagYOrNToCalculateOrNotTheAverageEoniaRatesInCaseOfBenchmarkSecurityAndSecuritiesWithIncomeSmoothing { get; set; }= default!;
/// <summary>CHECK DATA</summary>
[System.Text.Json.Serialization.JsonPropertyName("createOrUpdate")]
public string? CreateOrUpdate { get; set; }= default!;
/// <summary>Accrual convention for income securities which enable the management of week-ends and holidays for the determination of the coupon amount and interest's accruals</summary>
[System.Text.Json.Serialization.JsonPropertyName("accrualConvention")]
public string? AccrualConvention { get; set; }= default!;
/// <summary>Helps in definining how manage the coupon payment on holiday</summary>
[System.Text.Json.Serialization.JsonPropertyName("couponGeneration")]
public string? CouponGeneration { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class Body
{
[System.Text.Json.Serialization.JsonPropertyName("fixedBonds")]
public System.Collections.Generic.ICollection<_0>? FixedBonds { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class Details
{
[System.Text.Json.Serialization.JsonPropertyName("code")]
public string? Code { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("message")]
public string? Message { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("type")]
public string? Type { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class Details2
{
[System.Text.Json.Serialization.JsonPropertyName("code")]
public string? Code { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("message")]
public string? Message { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("type")]
public string? Type { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "10.5.2.0 (Newtonsoft.Json v13.0.0.0)")]
public partial class Items
{
[System.Text.Json.Serialization.JsonPropertyName("code")]
public string? Code { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("message")]
public string? Message { get; set; }= default!;
[System.Text.Json.Serialization.JsonPropertyName("type")]
public string? Type { get; set; }= default!;
}
[System.CodeDom.Compiler.GeneratedCode("NJsonSchema", "13.14.5.0 (NJsonSchema v10.5.2.0 (Newtonsoft.Json v13.0.0.0))")]
internal class DateFormatConverter : Newtonsoft.Json.Converters.IsoDateTimeConverter
{
public DateFormatConverter()
{
DateTimeFormat = "yyyy-MM-dd";
}
}
}
#pragma warning restore 1591
#pragma warning restore 1573
#pragma warning restore 472
#pragma warning restore 114
#pragma warning restore 108
#pragma warning restore 3016 | 48.780612 | 335 | 0.677335 | [
"MIT"
] | ElevateData/OpenTemenos | src/FundAdministration.GlobalAccounting.Holding/FixedBondService.cs | 28,683 | C# |
namespace Lazy.Authentication.Dal.Models
{
public class Application : BaseDalModelWithId
{
public string ClientId { set; get; }
#region Implementation of IOAuthClient
public string Secret { get; set; }
public bool Active { get; set; }
public string AllowedOrigin { get; set; }
public double RefreshTokenLifeTime { get; set; }
#endregion
}
} | 23.125 | 50 | 0.702703 | [
"Apache-2.0"
] | rolfwessels/Lazy.Authentication | src/Lazy.Authentication.Dal/Models/Application.cs | 372 | C# |
#region File Description
//-----------------------------------------------------------------------------
// Ionixx Games 3/9/2009
// Copyright (C) Bryan Phelps. All rights reserved.
//-----------------------------------------------------------------------------
#endregion
#region Using Statements
using Microsoft.Xna.Framework;
using Microsoft.Xna.Framework.Content.Pipeline.Serialization.Compiler;
using SkinnedModelInstancing;
#endregion
namespace SkinnedModelInstancingPipeline
{
/// <summary>
/// Writes the instanced skinned model
/// </summary>
[ContentTypeWriter]
public class InstancedSkinnedModelWriter : ContentTypeWriter<InstancedSkinnedModelContent>
{
protected override void Write(ContentWriter output, InstancedSkinnedModelContent value)
{
value.Write(output);
}
public override string GetRuntimeReader(TargetPlatform targetPlatform)
{
return typeof(InstancedModelReader).AssemblyQualifiedName;
}
}
/// <summary>
/// Writes the instanced animation clip data
/// </summary>
[ContentTypeWriter]
public class InstancedAnimationClipWriter : ContentTypeWriter<InstancedAnimationClip>
{
protected override void Write(ContentWriter output, InstancedAnimationClip value)
{
output.WriteObject(value.Duration);
output.WriteObject(value.StartRow);
output.WriteObject(value.EndRow);
output.WriteObject(value.FrameRate);
}
public override string GetRuntimeReader(TargetPlatform targetPlatform)
{
return typeof(InstancedAnimationClipReader).AssemblyQualifiedName;
}
}
}
| 30.105263 | 95 | 0.631702 | [
"MIT"
] | extr0py/xna-skinned-model-instancing | SkinnedModelInstancingPipeline/InstancedTypeWriters.cs | 1,716 | C# |
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class Parallaxer : MonoBehaviour
{
class PoolObject{
public Transform transform;
public bool inUse;
public PoolObject(Transform t){
transform = t;
}
public void Use() { inUse = true; }
public void Dispose() { inUse = false; }
}
[System.Serializable]
public struct YSpawnRange{
public float min;
public float max;
}
public GameObject Prefab;
public int poolSize;
public float shiftSpeed;
public float spawnRate;
public Vector3 defaultSpawnPos;
public bool spawnImmediate; //Spawn PreWarm
public Vector3 immediateSpawnPos;
public Vector2 targetAspectRatio;
public YSpawnRange ySpawnRange;
float spawnTimer;
PoolObject[] poolObjects;
float targetAspect;
GameManager game;
void Awake(){
Configure();
}
void Start(){
game = GameManager.Instance;
}
void OnEnable(){
GameManager.onGameOver += onGameOver;
}
void OnDisable(){
GameManager.onGameOver -= onGameOver;
}
void onGameOver(){
for(int i = 0; i < poolObjects.Length; i++){
poolObjects[i].Dispose();
poolObjects[i].transform.position = Vector3.one * 1000; //Way off screen
}
if(spawnImmediate){
SpawnImmediate();
}
}
void Update(){
if(game.GameOver) return;
Shift();
spawnTimer += Time.deltaTime;
if(spawnTimer > spawnRate){
Spawn();
spawnTimer = 0;
}
}
void Configure(){
targetAspect = targetAspectRatio.x / targetAspectRatio.y;
poolObjects = new PoolObject[poolSize];
for(int i = 0; i < poolObjects.Length; i++){
GameObject go = Instantiate(Prefab) as GameObject;
Transform t = go.transform;
t.SetParent(transform);
t.position = Vector3.one * 1000;
poolObjects[i] = new PoolObject(t);
}
if(spawnImmediate){
SpawnImmediate();
}
}
void Spawn(){
Transform t = GetPoolObject();
if(t == null) return; //Pool Size too small
Vector3 pos = Vector3.zero;
pos.x = (defaultSpawnPos.x * Camera.main.aspect) / targetAspect;
pos.y = Random.Range(ySpawnRange.min, ySpawnRange.max);
t.position = pos;
}
void SpawnImmediate(){
Transform t = GetPoolObject();
if(t == null) return; //Pool Size too small
Vector3 pos = Vector3.zero;
pos.x = (immediateSpawnPos.x * Camera.main.aspect) / targetAspect;
pos.y = Random.Range(ySpawnRange.min, ySpawnRange.max);
t.position = pos;
Spawn();
}
void Shift(){
for(int i = 0; i < poolObjects.Length; i++){
poolObjects[i].transform.localPosition += -Vector3.right * shiftSpeed * Time.deltaTime;
CheckDisposeObject(poolObjects[i]);
}
}
void CheckDisposeObject(PoolObject poolObject){
if(poolObject.transform.position.x < (-defaultSpawnPos.x * Camera.main.aspect) / targetAspect){
poolObject.Dispose();
poolObject.transform.position = Vector3.one * 1000; //Way off screen
}
}
Transform GetPoolObject(){
for(int i = 0; i < poolObjects.Length; i++){
if(!poolObjects[i].inUse){
poolObjects[i].Use();
return poolObjects[i].transform;
}
}
return null;
}
}
| 29.072581 | 103 | 0.580583 | [
"MIT"
] | christo707/Unity_ScrappyBird | Assets/Scripts/Parallaxer.cs | 3,607 | C# |
using Newtonsoft.Json;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace WhooingTransactionMaker.DataModels
{
public class Entries
{
/*
"results" : {
"reports" : [],
"rows" : [
{
"entry_id" : 1352827,
"entry_date" : 20110817.0001,
"l_account" : "expenses",
"l_account_id" : "x20",
"r_account" : "assets",
"r_account_id" : "x4",
"item" : "후원(과장학금)",
"money" : 10000,
"total" : 840721.99
"memo" : "",
"app_id" : 0
},
{
"entry_id" : 1352823,
"entry_date" : 20110813.0001,
"l_account" : "assets",
"l_account_id" : "x3",
"r_account" : "assets",
"r_account_id" : "x4",
"item" : "계좌이체",
"money" : 10000,
"total" : 840721.99
"memo" : "",
"app_id" : 0
}
]
}*/
[JsonProperty("rows")]
public ICollection<EntryData> EntryList { get; set; } = new List<EntryData>();
}
}
| 20.5625 | 86 | 0.551165 | [
"MIT"
] | hallower/WhooingTransactionMaker | WhooingTransactionMaker/WhooingTransactionMaker/WhooingTransactionMaker/DataModels/Entries.cs | 1,009 | C# |
using System;
using System.Reflection;
using Microsoft.EntityFrameworkCore.Query;
using Microsoft.EntityFrameworkCore.Query.SqlExpressions;
namespace Pomelo.EntityFrameworkCore.MySql.Query.Internal
{
public class MySqlStringMemberTranslator : IMemberTranslator
{
private readonly ISqlExpressionFactory _sqlExpressionFactory;
public MySqlStringMemberTranslator(ISqlExpressionFactory sqlExpressionFactory)
{
_sqlExpressionFactory = sqlExpressionFactory;
}
public virtual SqlExpression Translate(SqlExpression instance, MemberInfo member, Type returnType)
{
if (member.Name == nameof(string.Length)
&& instance?.Type == typeof(string))
{
return _sqlExpressionFactory.Function(
"CHAR_LENGTH",
new[] { instance },
returnType);
}
return null;
}
}
}
| 30.25 | 106 | 0.63843 | [
"MIT"
] | WhiteHingeLtd/Pomelo.EntityFrameworkCore.MySql | src/EFCore.MySql/Query/Internal/MySqlStringMemberTranslator.cs | 970 | C# |
using Encog.Neural.Networks.Training;
using MyProject01.Util.DataObject;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace MyProject01.Controller
{
class DataUpdateJob : ICheckJob
{
private ReduceLossScore _score;
private int _stepLength = 2;
private BasicDataBlock _trainDataBlock;
private int _trainLength = 12*12;
private int _trainCountMax = 50;
private int _startIndex;
private int _trainCount;
public ICalculateScore Score
{
get { return _score; }
}
public DataUpdateJob(BasicDataBlock trainDataBlock, ReduceLossScore score)
{
_startIndex = 0;
_trainCount = 0;
_trainDataBlock = trainDataBlock;
this._score = score;
Next();
}
public bool Do(Jobs.TrainerContex context)
{
_trainCount++;
if( _trainCount > _trainCountMax)
{
_trainCount = 0;
Next();
return true;
}
return false;
}
private void Next()
{
_score.dataBlock = _trainDataBlock.GetNewBlock(_startIndex, _trainLength);
_startIndex += _stepLength;
if ((_startIndex + _trainLength) >= _trainDataBlock.BlockCount)
_startIndex = 0;
}
}
}
| 25.448276 | 86 | 0.574526 | [
"BSD-3-Clause"
] | a7866353/encog-dotnet-core_work01 | MyProject/MyProject01/OldController/DataUpdateJob.cs | 1,478 | C# |
/*
* Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file 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.
*/
/*
* Do not modify this file. This file is generated from the resource-groups-2017-11-27.normal.json service model.
*/
using System;
using System.Collections.Generic;
using System.Xml.Serialization;
using System.Text;
using System.IO;
using System.Net;
using Amazon.Runtime;
using Amazon.Runtime.Internal;
namespace Amazon.ResourceGroups.Model
{
/// <summary>
/// Container for the parameters to the ListGroups operation.
/// Returns a list of existing resource groups in your account.
///
///
/// <para>
/// <b>Minimum permissions</b>
/// </para>
///
/// <para>
/// To run this command, you must have the following permissions:
/// </para>
/// <ul> <li>
/// <para>
/// <code>resource-groups:ListGroups</code>
/// </para>
/// </li> </ul>
/// </summary>
public partial class ListGroupsRequest : AmazonResourceGroupsRequest
{
private List<GroupFilter> _filters = new List<GroupFilter>();
private int? _maxResults;
private string _nextToken;
/// <summary>
/// Gets and sets the property Filters.
/// <para>
/// Filters, formatted as <a>GroupFilter</a> objects, that you want to apply to a <code>ListGroups</code>
/// operation.
/// </para>
/// <ul> <li>
/// <para>
/// <code>resource-type</code> - Filter the results to include only those of the specified
/// resource types. Specify up to five resource types in the format <code>AWS::<i>ServiceCode</i>::<i>ResourceType</i>
/// </code>. For example, <code>AWS::EC2::Instance</code>, or <code>AWS::S3::Bucket</code>.
/// </para>
/// </li> <li>
/// <para>
/// <code>configuration-type</code> - Filter the results to include only those groups
/// that have the specified configuration types attached. The current supported values
/// are:
/// </para>
/// <ul> <li>
/// <para>
/// <code>AWS:EC2::CapacityReservationPool</code>
/// </para>
/// </li> <li>
/// <para>
/// <code>AWS:EC2::HostManagement</code>
/// </para>
/// </li> </ul> </li> </ul>
/// </summary>
public List<GroupFilter> Filters
{
get { return this._filters; }
set { this._filters = value; }
}
// Check to see if Filters property is set
internal bool IsSetFilters()
{
return this._filters != null && this._filters.Count > 0;
}
/// <summary>
/// Gets and sets the property MaxResults.
/// <para>
/// The total number of results that you want included on each page of the response. If
/// you do not include this parameter, it defaults to a value that is specific to the
/// operation. If additional items exist beyond the maximum you specify, the <code>NextToken</code>
/// response element is present and has a value (is not null). Include that value as the
/// <code>NextToken</code> request parameter in the next call to the operation to get
/// the next part of the results. Note that the service might return fewer results than
/// the maximum even when there are more results available. You should check <code>NextToken</code>
/// after every operation to ensure that you receive all of the results.
/// </para>
/// </summary>
[AWSProperty(Min=1, Max=50)]
public int MaxResults
{
get { return this._maxResults.GetValueOrDefault(); }
set { this._maxResults = value; }
}
// Check to see if MaxResults property is set
internal bool IsSetMaxResults()
{
return this._maxResults.HasValue;
}
/// <summary>
/// Gets and sets the property NextToken.
/// <para>
/// The parameter for receiving additional results if you receive a <code>NextToken</code>
/// response in a previous request. A <code>NextToken</code> response indicates that more
/// output is available. Set this parameter to the value provided by a previous call's
/// <code>NextToken</code> response to indicate where the output should continue from.
/// </para>
/// </summary>
[AWSProperty(Min=0, Max=8192)]
public string NextToken
{
get { return this._nextToken; }
set { this._nextToken = value; }
}
// Check to see if NextToken property is set
internal bool IsSetNextToken()
{
return this._nextToken != null;
}
}
} | 36.868056 | 126 | 0.594839 | [
"Apache-2.0"
] | ChristopherButtars/aws-sdk-net | sdk/src/Services/ResourceGroups/Generated/Model/ListGroupsRequest.cs | 5,309 | C# |
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You 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.
*/
using System;
namespace Lucene.Net.Index
{
/// <summary>This is a {@link LogMergePolicy} that measures size of a
/// segment as the number of documents (not taking deletions
/// into account).
/// </summary>
public class LogDocMergePolicy : LogMergePolicy
{
/// <seealso cref="setMinMergeDocs">
/// </seealso>
public const int DEFAULT_MIN_MERGE_DOCS = 1000;
public LogDocMergePolicy():base()
{
minMergeSize = DEFAULT_MIN_MERGE_DOCS;
// maxMergeSize is never used by LogDocMergePolicy; set
// it to Long.MAX_VALUE to disable it
maxMergeSize = System.Int64.MaxValue;
}
protected internal override long Size(SegmentInfo info)
{
return info.docCount;
}
/// <summary>Sets the minimum size for the lowest level segments.
/// Any segments below this size are considered to be on
/// the same level (even if they vary drastically in size)
/// and will be merged whenever there are mergeFactor of
/// them. This effectively truncates the "long tail" of
/// small segments that would otherwise be created into a
/// single level. If you set this too large, it could
/// greatly increase the merging cost during indexing (if
/// you flush many small segments).
/// </summary>
public virtual void SetMinMergeDocs(int minMergeDocs)
{
minMergeSize = minMergeDocs;
}
/// <summary>Get the minimum size for a segment to remain
/// un-merged.
/// </summary>
/// <seealso cref="setMinMergeDocs *">
/// </seealso>
public virtual int GetMinMergeDocs()
{
return (int) minMergeSize;
}
}
} | 32.60274 | 75 | 0.713445 | [
"MIT"
] | restran/lucene-file-finder | Lucene.Net 2.4.0/Index/LogDocMergePolicy.cs | 2,380 | C# |
using UnityEngine.EventSystems;
namespace Views.Components.EventPropagator
{
public class BeginDragEventPropagator : EventPropagatorBase<IBeginDragHandler>, IBeginDragHandler
{
public void OnBeginDrag(PointerEventData eventData) => Propagate(eventData);
public BeginDragEventPropagator()
: base(ExecuteEvents.beginDragHandler)
{
}
}
} | 28.071429 | 101 | 0.717557 | [
"MIT"
] | aliagamon/Utily | Unity/Events/EventPropagator/BeginDragEventPropagator.cs | 395 | C# |
namespace Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401
{
using Microsoft.Azure.PowerShell.Cmdlets.Functions.Runtime.PowerShell;
/// <summary>An update history of the ImmutabilityPolicy of a blob container.</summary>
[System.ComponentModel.TypeConverter(typeof(UpdateHistoryPropertyTypeConverter))]
public partial class UpdateHistoryProperty
{
/// <summary>
/// <c>AfterDeserializeDictionary</c> will be called after the deserialization has finished, allowing customization of the
/// object before it is returned. Implement this method in a partial class to enable this behavior
/// </summary>
/// <param name="content">The global::System.Collections.IDictionary content that should be used.</param>
partial void AfterDeserializeDictionary(global::System.Collections.IDictionary content);
/// <summary>
/// <c>AfterDeserializePSObject</c> will be called after the deserialization has finished, allowing customization of the object
/// before it is returned. Implement this method in a partial class to enable this behavior
/// </summary>
/// <param name="content">The global::System.Management.Automation.PSObject content that should be used.</param>
partial void AfterDeserializePSObject(global::System.Management.Automation.PSObject content);
/// <summary>
/// <c>BeforeDeserializeDictionary</c> will be called before the deserialization has commenced, allowing complete customization
/// of the object before it is deserialized.
/// If you wish to disable the default deserialization entirely, return <c>true</c> in the <see "returnNow" /> output parameter.
/// Implement this method in a partial class to enable this behavior.
/// </summary>
/// <param name="content">The global::System.Collections.IDictionary content that should be used.</param>
/// <param name="returnNow">Determines if the rest of the serialization should be processed, or if the method should return
/// instantly.</param>
partial void BeforeDeserializeDictionary(global::System.Collections.IDictionary content, ref bool returnNow);
/// <summary>
/// <c>BeforeDeserializePSObject</c> will be called before the deserialization has commenced, allowing complete customization
/// of the object before it is deserialized.
/// If you wish to disable the default deserialization entirely, return <c>true</c> in the <see "returnNow" /> output parameter.
/// Implement this method in a partial class to enable this behavior.
/// </summary>
/// <param name="content">The global::System.Management.Automation.PSObject content that should be used.</param>
/// <param name="returnNow">Determines if the rest of the serialization should be processed, or if the method should return
/// instantly.</param>
partial void BeforeDeserializePSObject(global::System.Management.Automation.PSObject content, ref bool returnNow);
/// <summary>
/// Deserializes a <see cref="global::System.Collections.IDictionary" /> into an instance of <see cref="Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.UpdateHistoryProperty"
/// />.
/// </summary>
/// <param name="content">The global::System.Collections.IDictionary content that should be used.</param>
/// <returns>
/// an instance of <see cref="Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryProperty" />.
/// </returns>
public static Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryProperty DeserializeFromDictionary(global::System.Collections.IDictionary content)
{
return new UpdateHistoryProperty(content);
}
/// <summary>
/// Deserializes a <see cref="global::System.Management.Automation.PSObject" /> into an instance of <see cref="Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.UpdateHistoryProperty"
/// />.
/// </summary>
/// <param name="content">The global::System.Management.Automation.PSObject content that should be used.</param>
/// <returns>
/// an instance of <see cref="Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryProperty" />.
/// </returns>
public static Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryProperty DeserializeFromPSObject(global::System.Management.Automation.PSObject content)
{
return new UpdateHistoryProperty(content);
}
/// <summary>
/// Creates a new instance of <see cref="UpdateHistoryProperty" />, deserializing the content from a json string.
/// </summary>
/// <param name="jsonText">a string containing a JSON serialized instance of this model.</param>
/// <returns>an instance of the <see cref="className" /> model class.</returns>
public static Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryProperty FromJsonString(string jsonText) => FromJson(Microsoft.Azure.PowerShell.Cmdlets.Functions.Runtime.Json.JsonNode.Parse(jsonText));
/// <summary>Serializes this instance to a json string.</summary>
/// <returns>a <see cref="System.String" /> containing this model serialized to JSON text.</returns>
public string ToJsonString() => ToJson(null, Microsoft.Azure.PowerShell.Cmdlets.Functions.Runtime.SerializationMode.IncludeAll)?.ToString();
/// <summary>
/// Deserializes a <see cref="global::System.Collections.IDictionary" /> into a new instance of <see cref="Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.UpdateHistoryProperty"
/// />.
/// </summary>
/// <param name="content">The global::System.Collections.IDictionary content that should be used.</param>
internal UpdateHistoryProperty(global::System.Collections.IDictionary content)
{
bool returnNow = false;
BeforeDeserializeDictionary(content, ref returnNow);
if (returnNow)
{
return;
}
// actually deserialize
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).ImmutabilityPeriodSinceCreationInDay = (int?) content.GetValueForProperty("ImmutabilityPeriodSinceCreationInDay",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).ImmutabilityPeriodSinceCreationInDay, (__y)=> (int) global::System.Convert.ChangeType(__y, typeof(int)));
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).ObjectIdentifier = (string) content.GetValueForProperty("ObjectIdentifier",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).ObjectIdentifier, global::System.Convert.ToString);
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).TenantId = (string) content.GetValueForProperty("TenantId",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).TenantId, global::System.Convert.ToString);
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Timestamp = (global::System.DateTime?) content.GetValueForProperty("Timestamp",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Timestamp, (v) => v is global::System.DateTime _v ? _v : global::System.Xml.XmlConvert.ToDateTime( v.ToString() , global::System.Xml.XmlDateTimeSerializationMode.Unspecified));
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Update = (Microsoft.Azure.PowerShell.Cmdlets.Functions.Support.ImmutabilityPolicyUpdateType?) content.GetValueForProperty("Update",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Update, Microsoft.Azure.PowerShell.Cmdlets.Functions.Support.ImmutabilityPolicyUpdateType.CreateFrom);
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Upn = (string) content.GetValueForProperty("Upn",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Upn, global::System.Convert.ToString);
AfterDeserializeDictionary(content);
}
/// <summary>
/// Deserializes a <see cref="global::System.Management.Automation.PSObject" /> into a new instance of <see cref="Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.UpdateHistoryProperty"
/// />.
/// </summary>
/// <param name="content">The global::System.Management.Automation.PSObject content that should be used.</param>
internal UpdateHistoryProperty(global::System.Management.Automation.PSObject content)
{
bool returnNow = false;
BeforeDeserializePSObject(content, ref returnNow);
if (returnNow)
{
return;
}
// actually deserialize
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).ImmutabilityPeriodSinceCreationInDay = (int?) content.GetValueForProperty("ImmutabilityPeriodSinceCreationInDay",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).ImmutabilityPeriodSinceCreationInDay, (__y)=> (int) global::System.Convert.ChangeType(__y, typeof(int)));
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).ObjectIdentifier = (string) content.GetValueForProperty("ObjectIdentifier",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).ObjectIdentifier, global::System.Convert.ToString);
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).TenantId = (string) content.GetValueForProperty("TenantId",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).TenantId, global::System.Convert.ToString);
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Timestamp = (global::System.DateTime?) content.GetValueForProperty("Timestamp",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Timestamp, (v) => v is global::System.DateTime _v ? _v : global::System.Xml.XmlConvert.ToDateTime( v.ToString() , global::System.Xml.XmlDateTimeSerializationMode.Unspecified));
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Update = (Microsoft.Azure.PowerShell.Cmdlets.Functions.Support.ImmutabilityPolicyUpdateType?) content.GetValueForProperty("Update",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Update, Microsoft.Azure.PowerShell.Cmdlets.Functions.Support.ImmutabilityPolicyUpdateType.CreateFrom);
((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Upn = (string) content.GetValueForProperty("Upn",((Microsoft.Azure.PowerShell.Cmdlets.Functions.Models.Api20190401.IUpdateHistoryPropertyInternal)this).Upn, global::System.Convert.ToString);
AfterDeserializePSObject(content);
}
}
/// An update history of the ImmutabilityPolicy of a blob container.
[System.ComponentModel.TypeConverter(typeof(UpdateHistoryPropertyTypeConverter))]
public partial interface IUpdateHistoryProperty
{
}
} | 86.624113 | 474 | 0.734158 | [
"MIT"
] | Arsasana/azure-powershell | src/Functions/generated/api/Models/Api20190401/UpdateHistoryProperty.PowerShell.cs | 12,074 | C# |
namespace MoiteRecepti.Data.Models
{
public class RecipeIngredient
{
public int Id { get; set; }
public int RecipeId { get; set; }
public virtual Recipe Recipe { get; set; }
public int IngredientId { get; set; }
public virtual Ingredient Ingredient { get; set; }
public string Quantity { get; set; }
}
}
| 20.555556 | 58 | 0.597297 | [
"MIT"
] | Avanguarde/csharp-web | 2020-Sept-Season/MoiteRecepti/Data/MoiteRecepti.Data.Models/RecipeIngredient.cs | 372 | C# |
/*
* Upbit Open API
*
* ## REST API for Upbit Exchange - Base URL: [https://api.upbit.com] - Official Upbit API Documents: [https://docs.upbit.com] - Official Support email: [[email protected]]
*
* OpenAPI spec version: 1.1.6
* Contact: [email protected]
* Generated by: https://github.com/swagger-api/swagger-codegen.git
*/
using System;
using System.Linq;
using System.IO;
using System.Text;
using System.Text.RegularExpressions;
using System.Collections;
using System.Collections.Generic;
using System.Collections.ObjectModel;
using System.Runtime.Serialization;
using Newtonsoft.Json;
using Newtonsoft.Json.Converters;
using System.ComponentModel.DataAnnotations;
using SwaggerDateConverter = IO.Swagger.Client.SwaggerDateConverter;
namespace IO.Swagger.Model
{
/// <summary>
/// DepositCompleteResponse
/// </summary>
[DataContract]
public partial class DepositCompleteResponse : IEquatable<DepositCompleteResponse>, IValidatableObject
{
/// <summary>
/// Initializes a new instance of the <see cref="DepositCompleteResponse" /> class.
/// </summary>
/// <param name="currency">화폐를 의미하는 영문 대문자 코드.</param>
/// <param name="depositAddress">입금 주소.</param>
/// <param name="secondaryAddress">2차 입금 주소.</param>
public DepositCompleteResponse(string currency = default(string), string depositAddress = default(string), string secondaryAddress = default(string))
{
this.Currency = currency;
this.DepositAddress = depositAddress;
this.SecondaryAddress = secondaryAddress;
}
/// <summary>
/// 화폐를 의미하는 영문 대문자 코드
/// </summary>
/// <value>화폐를 의미하는 영문 대문자 코드</value>
[DataMember(Name="currency", EmitDefaultValue=false)]
public string Currency { get; set; }
/// <summary>
/// 입금 주소
/// </summary>
/// <value>입금 주소</value>
[DataMember(Name="deposit_address", EmitDefaultValue=false)]
public string DepositAddress { get; set; }
/// <summary>
/// 2차 입금 주소
/// </summary>
/// <value>2차 입금 주소</value>
[DataMember(Name="secondary_address", EmitDefaultValue=false)]
public string SecondaryAddress { get; set; }
/// <summary>
/// Returns the string presentation of the object
/// </summary>
/// <returns>String presentation of the object</returns>
public override string ToString()
{
var sb = new StringBuilder();
sb.Append("class DepositCompleteResponse {\n");
sb.Append(" Currency: ").Append(Currency).Append("\n");
sb.Append(" DepositAddress: ").Append(DepositAddress).Append("\n");
sb.Append(" SecondaryAddress: ").Append(SecondaryAddress).Append("\n");
sb.Append("}\n");
return sb.ToString();
}
/// <summary>
/// Returns the JSON string presentation of the object
/// </summary>
/// <returns>JSON string presentation of the object</returns>
public virtual string ToJson()
{
return JsonConvert.SerializeObject(this, Formatting.Indented);
}
/// <summary>
/// Returns true if objects are equal
/// </summary>
/// <param name="input">Object to be compared</param>
/// <returns>Boolean</returns>
public override bool Equals(object input)
{
return this.Equals(input as DepositCompleteResponse);
}
/// <summary>
/// Returns true if DepositCompleteResponse instances are equal
/// </summary>
/// <param name="input">Instance of DepositCompleteResponse to be compared</param>
/// <returns>Boolean</returns>
public bool Equals(DepositCompleteResponse input)
{
if (input == null)
return false;
return
(
this.Currency == input.Currency ||
(this.Currency != null &&
this.Currency.Equals(input.Currency))
) &&
(
this.DepositAddress == input.DepositAddress ||
(this.DepositAddress != null &&
this.DepositAddress.Equals(input.DepositAddress))
) &&
(
this.SecondaryAddress == input.SecondaryAddress ||
(this.SecondaryAddress != null &&
this.SecondaryAddress.Equals(input.SecondaryAddress))
);
}
/// <summary>
/// Gets the hash code
/// </summary>
/// <returns>Hash code</returns>
public override int GetHashCode()
{
unchecked // Overflow is fine, just wrap
{
int hashCode = 41;
if (this.Currency != null)
hashCode = hashCode * 59 + this.Currency.GetHashCode();
if (this.DepositAddress != null)
hashCode = hashCode * 59 + this.DepositAddress.GetHashCode();
if (this.SecondaryAddress != null)
hashCode = hashCode * 59 + this.SecondaryAddress.GetHashCode();
return hashCode;
}
}
/// <summary>
/// To validate all properties of the instance
/// </summary>
/// <param name="validationContext">Validation context</param>
/// <returns>Validation Result</returns>
IEnumerable<System.ComponentModel.DataAnnotations.ValidationResult> IValidatableObject.Validate(ValidationContext validationContext)
{
yield break;
}
}
}
| 36.11875 | 174 | 0.573975 | [
"MIT"
] | 942star/upbit-client | swg_generated/csharp/src/IO.Swagger/Model/DepositCompleteResponse.cs | 5,917 | C# |
// =========================================================================
// Copyright 2020 EPAM Systems, Inc.
//
// 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.
// =========================================================================
namespace Covi.Features.PushNotifications
{
public class PushNotification
{
public string Title { get; set; }
public string Description { get; set; }
public string SubTitle { get; set; }
}
}
| 37.461538 | 77 | 0.601643 | [
"Apache-2.0"
] | epam/COVID-Resistance-Mobile | src/Covi/Features/PushNotifications/PushNotification.cs | 976 | C# |
using AzureStorageUtilities.Interfaces;
using Microsoft.WindowsAzure.Storage;
using Microsoft.WindowsAzure.Storage.Blob;
using System.IO;
using System.Threading.Tasks;
namespace AzureStorageUtilities.Default
{
public class AzureBlob : IBlob
{
public CloudBlobClient Client { get; }
public CloudBlobContainer BlobContainer { get; }
public AzureBlob(CloudStorageAccount account, string containerName)
{
Client = account.CreateCloudBlobClient();
BlobContainer = Client.GetContainerReference(containerName);
BlobContainer.CreateIfNotExistsAsync();
}
public async Task<Stream> GetStreamWithFallbackAsync(string blobName, string defaultBlobName)
{
var blob = BlobContainer.GetBlockBlobReference(blobName);
if (!(await blob.ExistsAsync()))
blob = BlobContainer.GetBlockBlobReference(defaultBlobName);
return await blob.OpenReadAsync();
}
}
}
| 30.515152 | 101 | 0.68719 | [
"MIT"
] | naspinski-emergent-software/headstart | src/Middleware/AzureStorageUtilities/Default/AzureBlob.cs | 1,009 | C# |
using System;
namespace simple_tcp_server.Data
{
/// <summary>
/// A class to log stuffs on the server and clients, Easy to modify.
/// </summary>
class Logger
{
/// <summary>Logging something.</summary>
public static void Log(string msg)
{
Console.WriteLine(msg);
}
}
}
| 20.058824 | 72 | 0.565982 | [
"MIT"
] | OsvarK/simple-tcp-server | simple-tcp-server/Data/Logger.cs | 343 | C# |
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by a tool.
// Runtime Version:4.0.30319.42000
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
namespace x12Tool.Properties {
using System;
/// <summary>
/// A strongly-typed resource class, for looking up localized strings, etc.
/// </summary>
// This class was auto-generated by the StronglyTypedResourceBuilder
// class via a tool like ResGen or Visual Studio.
// To add or remove a member, edit your .ResX file then rerun ResGen
// with the /str option, or rebuild your VS project.
[global::System.CodeDom.Compiler.GeneratedCodeAttribute("System.Resources.Tools.StronglyTypedResourceBuilder", "15.0.0.0")]
[global::System.Diagnostics.DebuggerNonUserCodeAttribute()]
[global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()]
internal class Resources {
private static global::System.Resources.ResourceManager resourceMan;
private static global::System.Globalization.CultureInfo resourceCulture;
[global::System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1811:AvoidUncalledPrivateCode")]
internal Resources() {
}
/// <summary>
/// Returns the cached ResourceManager instance used by this class.
/// </summary>
[global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)]
internal static global::System.Resources.ResourceManager ResourceManager {
get {
if (object.ReferenceEquals(resourceMan, null)) {
global::System.Resources.ResourceManager temp = new global::System.Resources.ResourceManager("x12Tool.Properties.Resources", typeof(Resources).Assembly);
resourceMan = temp;
}
return resourceMan;
}
}
/// <summary>
/// Overrides the current thread's CurrentUICulture property for all
/// resource lookups using this strongly typed resource class.
/// </summary>
[global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)]
internal static global::System.Globalization.CultureInfo Culture {
get {
return resourceCulture;
}
set {
resourceCulture = value;
}
}
/// <summary>
/// Looks up a localized resource of type System.Drawing.Bitmap.
/// </summary>
internal static System.Drawing.Bitmap X12ToolLogo_Alt {
get {
object obj = ResourceManager.GetObject("X12ToolLogo-Alt", resourceCulture);
return ((System.Drawing.Bitmap)(obj));
}
}
}
}
| 42.702703 | 173 | 0.603165 | [
"MIT"
] | RKDN/x12Tool | x12Tool/Properties/Resources.Designer.cs | 3,162 | C# |
namespace CountMonster.Model;
public class TrackedRun
{
public DateTimeOffset TimeStamp { get; set; } = DateTimeOffset.UtcNow;
public int Number { get; set; }
public string? Comments { get; set; }
public float Duration { get; set; }
}
| 19.692308 | 74 | 0.679688 | [
"MIT"
] | jsedlak/count-monster | CountMonster/Model/TrackedRun.cs | 258 | C# |
// Copyright 2018 Google LLC
//
// 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
//
// https://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.
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class WoodPanel : MonoBehaviour
{
private AudioSource _woodPanelClip;
public void Start()
{
_woodPanelClip = GetComponent<AudioSource>();
}
public void OnCollisionEnter(Collision collision)
{
Debug.Log("WOOD PANEL COLLISION with " + collision.gameObject.name);
_woodPanelClip.pitch = Random.Range(0.75f, 1.5f);
_woodPanelClip.volume = Random.Range(0.5f, 2.0f);
_woodPanelClip.PlayDelayed(Random.Range(0.0f, 1.0f));
}
} | 33.257143 | 76 | 0.718213 | [
"Apache-2.0"
] | Andrea-MariaDB-2/play-unity-plugins | GooglePlayPlugins/com.google.play.instant/Samples/SphereBlast/Scripts/WoodPanel.cs | 1,164 | C# |
// MIT License
// Copyright (c) 2020 Simon Schulze
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
using iRLeagueManager.Models.Reviews;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Windows.Input;
using iRLeagueManager.Models;
using iRLeagueManager.Models.Members;
using iRLeagueManager.Models.User;
namespace iRLeagueManager.ViewModels
{
public class CommentViewModel : LeagueContainerModel<CommentModel>
{
public long CommentId => (Model?.CommentId).GetValueOrDefault();
//private IncidentReviewViewModel review;
//public IncidentReviewViewModel Review { get => review; set => SetValue(ref review, value); }
//public LeagueMember Author => Model?.Author;
private UserViewModel author = new UserViewModel();
public UserViewModel Author
{
get
{
if (author.UserId != Model?.Author?.UserId)
{
if (author.UpdateSource(Model.Author ?? new UserModel("", "Unknown")))
OnPropertyChanged();
}
return author;
}
}
public string AuthorName => Model?.AuthorName;
public string Text { get => Model?.Text; set => Model.Text = value; }
public DateTime Date => (Model?.Date).GetValueOrDefault();
protected override CommentModel Template => new ReviewCommentModel(new UserModel("", "MemberTwo"))
{
Text = "This is a reply!\nAlso with a line break!"
};
//public bool IsUserAuthor => (LeagueContext.CurrentUser?.MemberId).GetValueOrDefault() == Author.MemberId.GetValueOrDefault();
public bool IsUserAuthor => LeagueContext?.UserManager?.CurrentUser?.UserId == Author?.UserId || LeagueContext?.UserManager?.CurrentUser?.UserName == "Administrator";
private ReviewCommentViewModel replyTo;
public ReviewCommentViewModel ReplyTo { get => replyTo; set => SetValue(ref replyTo, value); }
public ICommand EditCmd { get; private set; }
public CommentViewModel() : this(new CommentModel())
{
SetSource(Template);
}
public CommentViewModel(CommentModel source) : base(source)
{
IsExpanded = true;
EditCmd = new RelayCommand(async o => await EditAsync(o as string), o => IsUserAuthor);
}
public async Task<bool> EditAsync(string editedText)
{
string oldText = Text;
bool status = false;
try
{
//if (LeagueContext.CurrentUser.MemberId != Author.MemberId)
if (IsUserAuthor == false)
throw new UnauthorizedAccessException("Can not edit Comment text. Insufficient privileges!");
IsLoading = true;
Text = editedText;
await LeagueContext.UpdateModelAsync(Model);
status = true;
}
catch (Exception e)
{
Text = oldText;
GlobalSettings.LogError(e);
}
finally
{
IsLoading = false;
}
return status;
}
}
}
| 37.353448 | 174 | 0.633972 | [
"MIT"
] | SSchulze1989/iRLeagueManager | iRLeagueManager/ViewModels/CommentViewModel.cs | 4,335 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
namespace _02_AspNetMvc.Entities
{
public class Empleado
{
public int EmpleadoId { get; set; }
public string Name { get; set; }
}
}
| 18.5 | 43 | 0.679537 | [
"MIT"
] | fernandezja/net5-experiments | 04-aspnet/02-AspNetMvc/Entities/Empleado.cs | 261 | C# |
using System;
namespace Kunicardus.Billboards.Core.Models
{
public class UserBalanceModel
{
public decimal BlockedPoints {
get;
set;
}
public decimal AvailablePoints {
get;
set;
}
public decimal AccumulatedPoint {
get;
set;
}
public decimal SpentPoints {
get;
set;
}
}
}
| 10.7 | 43 | 0.647975 | [
"MIT"
] | nininea2/unicard_app_base | Kunicardus.Billboards/Kunicardus.Billboards.Core/Models/UserBalanceModel.cs | 323 | C# |
#if ! AZURE_MOBILE_SERVICES
using Xamarin.Auth;
using Xamarin.Auth.Presenters;
#else
using Xamarin.Auth._MobileServices;
using Xamarin.Auth._MobileServices.Presenters;
#endif
#if !AZURE_MOBILE_SERVICES
namespace Xamarin.Auth.Presenters.WinPhone
#else
namespace Xamarin.Auth._MobileServices.Presenters.WinPhone
#endif
{
public static class AuthenticationConfiguration
{
public static void Init()
{
OAuthLoginPresenter.PlatformLogin = (authenticator) =>
{
var oauthLogin = new PlatformOAuthLoginPresenter();
oauthLogin.Login(authenticator);
};
}
}
} | 26.076923 | 68 | 0.662242 | [
"Apache-2.0"
] | Abhirasmanu-Trimble/Xamarin.Auth | source/Core/Xamarin.Auth.WindowsPhone81/Presenters/AuthenticationConfiguration.WindowsPhone8.cs | 680 | C# |
namespace Customer.API.Infrastructure.Filters
{
public class JsonErrorResponse
{
public string[] Messages { get; set; }
public object DeveloperMessage { get; set; }
}
}
| 19.9 | 52 | 0.648241 | [
"MIT"
] | relay-dev/fructose-microservices | src/services/Customer/Customer.API/Infrastructure/Filters/JsonErrorResponse.cs | 201 | C# |
using System;
using System.Collections.Generic;
namespace Twilio
{
/// <summary>
/// Twilio API call result with paging information
/// </summary>
public class OutgoingCallerIdResult : TwilioListBase
{
/// <summary>
/// List of OutgoingCallerId instances returned by API
/// </summary>
public List<OutgoingCallerId> OutgoingCallerIds { get; set; }
}
} | 22.875 | 63 | 0.718579 | [
"Apache-2.0"
] | ArashMotamedi/Twilio.NetCore | src/Twilio.NetCore/Model/OutgoingCallerIdResult.cs | 366 | C# |
using BeatSaberMarkupLanguage.Attributes;
using BeatSaberMarkupLanguage.Components;
using HMUI;
using IPA.Utilities;
using System;
using System.Collections;
using System.Collections.Concurrent;
using System.Collections.Generic;
using System.Linq;
using System.Threading;
using UnityEngine;
using UnityEngine.UI;
namespace BeatSaberPlus.Modules.ChatRequest.UI
{
/// <summary>
/// Chat request main view controller
/// </summary>
internal class ManagerMain : SDK.UI.ResourceViewController<ManagerMain>, IProgress<double>
{
/// <summary>
/// Amount of song to display per page
/// </summary>
private static int s_SONG_PER_PAGE = 7;
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
#pragma warning disable CS0649
[UIObject("TypeSegmentPanel")]
private GameObject m_TypeSegmentPanel;
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
[UIComponent("SongUpButton")]
private Button m_SongUpButton;
[UIObject("SongList")]
private GameObject m_SongListView = null;
private SDK.UI.DataSource.SongList m_SongList = null;
[UIComponent("SongDownButton")]
private Button m_SongDownButton;
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
[UIObject("SongInfoPanel")]
private GameObject m_SongInfoPanel;
private SDK.UI.LevelDetail m_SongInfo_Detail;
#pragma warning restore CS0649
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
/// <summary>
/// Type segment control
/// </summary>
private TextSegmentedControl m_TypeSegmentControl = null;
/// <summary>
/// Current song list page
/// </summary>
private int m_CurrentPage = 1;
/// <summary>
/// Selected song
/// </summary>
ChatRequest.SongEntry m_SelectedSong = null;
/// <summary>
/// Selected song index
/// </summary>
private int m_SelectedSongIndex = 0;
/// <summary>
/// Song list provider
/// </summary>
private List<ChatRequest.SongEntry> m_SongsProvider = null;
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
/// <summary>
/// On view creation
/// </summary>
protected override sealed void OnViewCreation()
{
/// Scale down up & down button
m_SongUpButton.transform.localScale = Vector3.one * 0.6f;
m_SongDownButton.transform.localScale = Vector3.one * 0.6f;
/// Create type selector
m_TypeSegmentControl = SDK.UI.TextSegmentedControl.Create(m_TypeSegmentPanel.transform as RectTransform, false);
m_TypeSegmentControl.SetTexts(new string[] { "Requests", "History", "Blacklist" });
m_TypeSegmentControl.ReloadData();
m_TypeSegmentControl.didSelectCellEvent += OnQueueTypeChanged;
/// Prepare song list
var l_BSMLTableView = m_SongListView.GetComponentInChildren<BSMLTableView>();
l_BSMLTableView.SetDataSource(null, false);
GameObject.DestroyImmediate(m_SongListView.GetComponentInChildren<CustomListTableData>());
m_SongList = l_BSMLTableView.gameObject.AddComponent<SDK.UI.DataSource.SongList>();
m_SongList.PlayPreviewAudio = Config.ChatRequest.PlayPreviewMusic;
m_SongList.PreviewAudioVolume = 1.0f;
m_SongList.TableViewInstance = l_BSMLTableView;
m_SongList.Init();
l_BSMLTableView.SetDataSource(m_SongList, false);
/// Bind events
m_SongUpButton.onClick.AddListener(OnSongPageUpPressed);
m_SongList.OnCoverFetched += OnSongCoverFetched;
m_SongList.TableViewInstance.didSelectCellWithIdxEvent += OnSongSelected;
m_SongDownButton.onClick.AddListener(OnSongPageDownPressed);
/// Show song info panel
m_SongInfo_Detail = new SDK.UI.LevelDetail(m_SongInfoPanel.transform);
UnselectSong();
m_SongInfo_Detail.SetFavoriteToggleEnabled(true);
m_SongInfo_Detail.SetFavoriteToggleImage("BeatSaberPlus.Modules.ChatRequest.Resources.Blacklist.png", "BeatSaberPlus.Modules.ChatRequest.Resources.Unblacklist.png");
m_SongInfo_Detail.SetFavoriteToggleHoverHint("Add/Remove to blacklist");
m_SongInfo_Detail.SetFavoriteToggleCallback(OnBlacklistButtonPressed);
m_SongInfo_Detail.SetPracticeButtonEnabled(true);
m_SongInfo_Detail.SetPracticeButtonText("Skip");
m_SongInfo_Detail.SetPracticeButtonAction(SkipOrAddToQueueSong);
m_SongInfo_Detail.SetPlayButtonText("Play");
m_SongInfo_Detail.SetPlayButtonEnabled(true);
m_SongInfo_Detail.SetPlayButtonAction(PlaySong);
/// Force change to tab Request
OnQueueTypeChanged(null, 0);
}
/// <summary>
/// On view activation
/// </summary>
protected override sealed void OnViewActivation()
{
m_SongList.PlayPreviewAudio = Config.ChatRequest.PlayPreviewMusic;
/// Go back to request tab
if (m_TypeSegmentControl.selectedCellNumber != 0)
{
m_TypeSegmentControl.SelectCellWithNumber(0);
OnQueueTypeChanged(null, 0);
}
else
RebuildSongList(true);
}
/// <summary>
/// On view deactivation
/// </summary>
protected override sealed void OnViewDeactivation()
{
/// Stop preview music if any
m_SongList.StopPreviewMusic();
}
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
/// <summary>
/// When the queue type is changed
/// </summary>
/// <param name="p_Sender">Event sender</param>
/// <param name="p_Index">Tab index</param>
private void OnQueueTypeChanged(SegmentedControl p_Sender, int p_Index)
{
UnselectSong();
m_SongsProvider = p_Index == 0 ? ChatRequest.Instance.SongQueue : (p_Index == 1 ? ChatRequest.Instance.SongHistory : ChatRequest.Instance.SongBlackList);
RebuildSongList(false);
m_SongInfo_Detail.SetPracticeButtonText(p_Index == 0 ? "Skip" : "Add to queue");
}
/// <summary>
/// Go to previous song page
/// </summary>
private void OnSongPageUpPressed()
{
/// Underflow check
if (m_CurrentPage < 2)
return;
/// Decrement current page
m_CurrentPage--;
/// Rebuild song list
RebuildSongList();
}
/// <summary>
/// Go to next song page
/// </summary>
private void OnSongPageDownPressed()
{
/// Increment current page
m_CurrentPage++;
/// Rebuild song list
RebuildSongList();
}
/// <summary>
/// Rebuild song list
/// </summary>
/// <param name="p_OnActivation">Is on activation</param>
/// <returns></returns>
internal void RebuildSongList(bool p_OnActivation = false)
{
/// Clear selection and items, then refresh the list
m_SongList.TableViewInstance.ClearSelection();
m_SongList.Data.Clear();
lock (m_SongsProvider)
{
/// Append all songs
if (m_SongsProvider.Count > 0)
{
/// Handle page overflow
if (((m_CurrentPage - 1) * s_SONG_PER_PAGE) > m_SongsProvider.Count)
m_CurrentPage = (m_SongsProvider.Count / s_SONG_PER_PAGE) + 1;
for (int l_I = (m_CurrentPage - 1) * s_SONG_PER_PAGE; l_I < (m_CurrentPage * s_SONG_PER_PAGE); ++l_I)
{
if (l_I >= m_SongsProvider.Count)
break;
var l_Current = m_SongsProvider[l_I];
var l_HoverHint = "<b><u>Requested by</b></u> " + l_Current.NamePrefix + (l_Current.NamePrefix.Length != 0 ? " " : "") + l_Current.RequesterName;
if (l_Current.RequestTime.HasValue)
l_HoverHint += "\n<b><u>$$time$$</b></u>";
if (!string.IsNullOrEmpty(l_Current.Message))
l_HoverHint += "\n" + l_Current.Message;
m_SongList.Data.Add(new SDK.UI.DataSource.SongList.Entry() {
BeatSaver_Map = l_Current.BeatMap,
TitlePrefix = l_Current.NamePrefix,
HoverHint = l_HoverHint,
HoverHintTimeArg = l_Current.RequestTime,
CustomData = l_Current
});;
if (m_SelectedSong != null && m_SelectedSong.BeatMap.Hash == l_Current.BeatMap.Hash)
{
m_SongList.TableViewInstance.SelectCellWithIdx(m_SongList.Data.Count - 1);
OnSongSelected(m_SongList.TableViewInstance, m_SongList.Data.Count - 1);
}
}
if (m_SelectedSong != null && m_SongsProvider.Where(x => x.BeatMap.Hash == m_SelectedSong.BeatMap.Hash).Count() == 0)
{
UnselectSong();
m_SelectedSong = null;
}
}
else
{
m_CurrentPage = 1;
UnselectSong();
}
/// Refresh the list
m_SongList.TableViewInstance.ReloadData();
/// Update UI
m_SongUpButton.interactable = m_CurrentPage != 1;
m_SongDownButton.interactable = m_SongsProvider.Count > (m_CurrentPage * s_SONG_PER_PAGE);
}
}
/// <summary>
/// When a song is selected
/// </summary>
/// <param name="p_TableView">Source table</param>
/// <param name="p_Row">Selected row</param>
private void OnSongSelected(TableView p_TableView, int p_Row)
{
/// Unselect previous song
m_SelectedSong = null;
m_SelectedSongIndex = p_Row;
/// Hide if invalid song
if (p_Row >= m_SongList.Data.Count || m_SongList.Data[p_Row].Invalid || m_SongList.Data[p_Row].BeatSaver_Map == null || (p_TableView != null && m_SongList.Data[p_Row].BeatSaver_Map != null && m_SongList.Data[p_Row].BeatSaver_Map.Partial))
{
/// Hide song info panel
UnselectSong();
return;
}
/// Fetch song entry
var l_SongEntry = m_SongList.Data[p_Row];
/// Show UIs
m_SongInfoPanel.SetActive(true);
ManagerRight.Instance.SetVisible(true);
/// Update UIs
if (!m_SongInfo_Detail.FromBeatSaver(l_SongEntry.BeatSaver_Map, l_SongEntry.Cover))
{
/// Hide song info panel
UnselectSong();
return;
}
m_SongInfo_Detail.SetFavoriteToggleValue(m_TypeSegmentControl.selectedCellNumber == 2/* Blacklist */);
ManagerRight.Instance.SetDetail(l_SongEntry.BeatSaver_Map);
/// Set selected song
m_SelectedSong = l_SongEntry.CustomData as ChatRequest.SongEntry;
/// Launch preview music if local map
var l_LocalSong = SongCore.Loader.GetLevelByHash(m_SelectedSong.BeatMap.Hash);
if (l_LocalSong != null && SongCore.Loader.CustomLevels.ContainsKey(l_LocalSong.customLevelPath))
m_SongInfo_Detail.SetPlayButtonText("Play");
else
m_SongInfo_Detail.SetPlayButtonText("Download");
}
/// <summary>
/// On song cover fetched
/// </summary>
/// <param name="p_RowData">Row data</param>
private void OnSongCoverFetched(int p_Index, SDK.UI.DataSource.SongList.Entry p_RowData)
{
if (m_SelectedSongIndex != p_Index)
return;
OnSongSelected(null, m_SelectedSongIndex);
}
/// <summary>
/// Unselect active song
/// </summary>
private void UnselectSong()
{
m_SongInfoPanel.SetActive(false);
ManagerRight.Instance.SetVisible(false);
m_SelectedSong = null;
/// Stop preview music if any
m_SongList.StopPreviewMusic();
}
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
/// <summary>
/// Skip a song
/// </summary>
private void SkipOrAddToQueueSong()
{
if (m_SelectedSong == null)
{
UnselectSong();
RebuildSongList();
return;
}
if (m_TypeSegmentControl.selectedCellNumber == 0/* Request */)
ChatRequest.Instance.DequeueSong(m_SelectedSong, false);
else
ChatRequest.Instance.ReEnqueueSong(m_SelectedSong);
UnselectSong();
RebuildSongList();
}
/// <summary>
/// On play song pressed
/// </summary>
private void PlaySong()
{
if (m_SelectedSong == null)
{
UnselectSong();
RebuildSongList();
return;
}
try
{
var l_LocalSong = SongCore.Loader.GetLevelByHash(m_SelectedSong.BeatMap.Hash);
if (l_LocalSong != null && SongCore.Loader.CustomLevels.ContainsKey(l_LocalSong.customLevelPath))
{
ChatRequest.Instance.DequeueSong(m_SelectedSong, true);
SDK.Game.LevelSelection.FilterToSpecificSong(l_LocalSong);
ManagerViewFlowCoordinator.Instance().Dismiss();
UnselectSong();
}
else
{
/// Show download modal
ShowLoadingModal("Downloading", true);
/// Start downloading
SDK.Game.BeatSaver.DownloadSong(m_SelectedSong.BeatMap, CancellationToken.None, this).ContinueWith((x) =>
{
if (x.Result)
{
/// Bind callback
SongCore.Loader.SongsLoadedEvent += OnDownloadedSongLoaded;
/// Refresh loaded songs
SongCore.Loader.Instance.RefreshSongs(false);
}
else
{
/// Show error message
SDK.Unity.MainThreadInvoker.Enqueue(() => {
HideLoadingModal();
ShowMessageModal("Download failed!");
});
}
});
return;
}
}
catch (System.Exception p_Exception)
{
Logger.Instance?.Critical(p_Exception);
}
}
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
/// <summary>
/// On black list button pressed
/// </summary>
/// <param name="p_State">State</param>
private void OnBlacklistButtonPressed(ToggleWithCallbacks.SelectionState p_State)
{
if (p_State != ToggleWithCallbacks.SelectionState.Pressed)
return;
if (m_TypeSegmentControl.selectedCellNumber == 2/* Blacklist */)
ChatRequest.Instance.UnBlacklistSong(m_SelectedSong);
/// Show modal
else
{
ShowConfirmationModal("<color=yellow><b>Do you really want to blacklist this song?", () => {
/// Update UI
m_SongInfo_Detail.SetFavoriteToggleValue(true);
/// Blacklist the song
ChatRequest.Instance.BlacklistSong(m_SelectedSong);
});
}
}
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
/// <summary>
/// On download progress reported
/// </summary>
/// <param name="p_Value"></param>
void IProgress<double>.Report(double p_Value)
{
SetLoadingModal_DownloadProgress($"Downloading {Mathf.Round((float)(p_Value * 100.0))}%", (float)p_Value);
}
/// <summary>
/// When a downloaded song is downloaded
/// </summary>
/// <param name="p_Loader">Loader instance</param>
/// <param name="p_Maps">All loaded songs</param>
private void OnDownloadedSongLoaded(SongCore.Loader p_Loader, ConcurrentDictionary<string, CustomPreviewBeatmapLevel> p_Maps)
{
/// Remove callback
SongCore.Loader.SongsLoadedEvent -= OnDownloadedSongLoaded;
/// Avoid refresh if not active view anymore
if (!CanBeUpdated)
return;
StartCoroutine(PlayDownloadedLevel());
}
////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////
/// <summary>
/// Play download song
/// </summary>
/// <returns></returns>
private IEnumerator PlayDownloadedLevel()
{
yield return new WaitForEndOfFrame();
if (!CanBeUpdated)
yield break;
/// Hide loading modal
HideLoadingModal();
/// Reselect the cell
PlaySong();
yield return null;
}
}
}
| 38.443114 | 250 | 0.495535 | [
"MIT"
] | hardcpp/BeatSaberPlus | Modules/ChatRequest/UI/ManagerMain.cs | 19,262 | C# |
using System;
[Serializable]
public enum DofBlurriness
{
Low = 1,
High,
VeryHigh = 4
}
| 9.1 | 25 | 0.692308 | [
"MIT"
] | moto2002/superWeapon | src/DofBlurriness.cs | 91 | C# |
// Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License. See License.txt in the project root for
// license information.
//
// Code generated by Microsoft (R) AutoRest Code Generator.
// Changes may cause incorrect behavior and will be lost if the code is
// regenerated.
namespace Fixtures.Azure.AcceptanceTestsSubscriptionIdApiVersion
{
using Azure;
using Microsoft.Rest;
using Microsoft.Rest.Azure;
using Microsoft.Rest.Serialization;
using Models;
using Newtonsoft.Json;
using System.Collections;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Net.Http;
/// <summary>
/// Some cool documentation.
/// </summary>
public partial class MicrosoftAzureTestUrl : ServiceClient<MicrosoftAzureTestUrl>, IMicrosoftAzureTestUrl, IAzureClient
{
/// <summary>
/// The base URI of the service.
/// </summary>
public System.Uri BaseUri { get; set; }
/// <summary>
/// Gets or sets json serialization settings.
/// </summary>
public Newtonsoft.Json.JsonSerializerSettings SerializationSettings { get; private set; }
/// <summary>
/// Gets or sets json deserialization settings.
/// </summary>
public Newtonsoft.Json.JsonSerializerSettings DeserializationSettings { get; private set; }
/// <summary>
/// Credentials needed for the client to connect to Azure.
/// </summary>
public ServiceClientCredentials Credentials { get; private set; }
/// <summary>
/// Subscription Id.
/// </summary>
public string SubscriptionId { get; set; }
/// <summary>
/// API Version with value '2014-04-01-preview'.
/// </summary>
public string ApiVersion { get; private set; }
/// <summary>
/// Gets or sets the preferred language for the response.
/// </summary>
public string AcceptLanguage { get; set; }
/// <summary>
/// Gets or sets the retry timeout in seconds for Long Running Operations.
/// Default value is 30.
/// </summary>
public int? LongRunningOperationRetryTimeout { get; set; }
/// <summary>
/// When set to true a unique x-ms-client-request-id value is generated and
/// included in each request. Default is true.
/// </summary>
public bool? GenerateClientRequestId { get; set; }
/// <summary>
/// Gets the IGroupOperations.
/// </summary>
public virtual IGroupOperations Group { get; private set; }
/// <summary>
/// Initializes a new instance of the MicrosoftAzureTestUrl class.
/// </summary>
/// <param name='handlers'>
/// Optional. The delegating handlers to add to the http client pipeline.
/// </param>
protected MicrosoftAzureTestUrl(params System.Net.Http.DelegatingHandler[] handlers) : base(handlers)
{
Initialize();
}
/// <summary>
/// Initializes a new instance of the MicrosoftAzureTestUrl class.
/// </summary>
/// <param name='rootHandler'>
/// Optional. The http client handler used to handle http transport.
/// </param>
/// <param name='handlers'>
/// Optional. The delegating handlers to add to the http client pipeline.
/// </param>
protected MicrosoftAzureTestUrl(System.Net.Http.HttpClientHandler rootHandler, params System.Net.Http.DelegatingHandler[] handlers) : base(rootHandler, handlers)
{
Initialize();
}
/// <summary>
/// Initializes a new instance of the MicrosoftAzureTestUrl class.
/// </summary>
/// <param name='baseUri'>
/// Optional. The base URI of the service.
/// </param>
/// <param name='handlers'>
/// Optional. The delegating handlers to add to the http client pipeline.
/// </param>
/// <exception cref="System.ArgumentNullException">
/// Thrown when a required parameter is null
/// </exception>
protected MicrosoftAzureTestUrl(System.Uri baseUri, params System.Net.Http.DelegatingHandler[] handlers) : this(handlers)
{
if (baseUri == null)
{
throw new System.ArgumentNullException("baseUri");
}
BaseUri = baseUri;
}
/// <summary>
/// Initializes a new instance of the MicrosoftAzureTestUrl class.
/// </summary>
/// <param name='baseUri'>
/// Optional. The base URI of the service.
/// </param>
/// <param name='rootHandler'>
/// Optional. The http client handler used to handle http transport.
/// </param>
/// <param name='handlers'>
/// Optional. The delegating handlers to add to the http client pipeline.
/// </param>
/// <exception cref="System.ArgumentNullException">
/// Thrown when a required parameter is null
/// </exception>
protected MicrosoftAzureTestUrl(System.Uri baseUri, System.Net.Http.HttpClientHandler rootHandler, params System.Net.Http.DelegatingHandler[] handlers) : this(rootHandler, handlers)
{
if (baseUri == null)
{
throw new System.ArgumentNullException("baseUri");
}
BaseUri = baseUri;
}
/// <summary>
/// Initializes a new instance of the MicrosoftAzureTestUrl class.
/// </summary>
/// <param name='credentials'>
/// Required. Credentials needed for the client to connect to Azure.
/// </param>
/// <param name='handlers'>
/// Optional. The delegating handlers to add to the http client pipeline.
/// </param>
/// <exception cref="System.ArgumentNullException">
/// Thrown when a required parameter is null
/// </exception>
public MicrosoftAzureTestUrl(ServiceClientCredentials credentials, params System.Net.Http.DelegatingHandler[] handlers) : this(handlers)
{
if (credentials == null)
{
throw new System.ArgumentNullException("credentials");
}
Credentials = credentials;
if (Credentials != null)
{
Credentials.InitializeServiceClient(this);
}
}
/// <summary>
/// Initializes a new instance of the MicrosoftAzureTestUrl class.
/// </summary>
/// <param name='credentials'>
/// Required. Credentials needed for the client to connect to Azure.
/// </param>
/// <param name='rootHandler'>
/// Optional. The http client handler used to handle http transport.
/// </param>
/// <param name='handlers'>
/// Optional. The delegating handlers to add to the http client pipeline.
/// </param>
/// <exception cref="System.ArgumentNullException">
/// Thrown when a required parameter is null
/// </exception>
public MicrosoftAzureTestUrl(ServiceClientCredentials credentials, System.Net.Http.HttpClientHandler rootHandler, params System.Net.Http.DelegatingHandler[] handlers) : this(rootHandler, handlers)
{
if (credentials == null)
{
throw new System.ArgumentNullException("credentials");
}
Credentials = credentials;
if (Credentials != null)
{
Credentials.InitializeServiceClient(this);
}
}
/// <summary>
/// Initializes a new instance of the MicrosoftAzureTestUrl class.
/// </summary>
/// <param name='baseUri'>
/// Optional. The base URI of the service.
/// </param>
/// <param name='credentials'>
/// Required. Credentials needed for the client to connect to Azure.
/// </param>
/// <param name='handlers'>
/// Optional. The delegating handlers to add to the http client pipeline.
/// </param>
/// <exception cref="System.ArgumentNullException">
/// Thrown when a required parameter is null
/// </exception>
public MicrosoftAzureTestUrl(System.Uri baseUri, ServiceClientCredentials credentials, params System.Net.Http.DelegatingHandler[] handlers) : this(handlers)
{
if (baseUri == null)
{
throw new System.ArgumentNullException("baseUri");
}
if (credentials == null)
{
throw new System.ArgumentNullException("credentials");
}
BaseUri = baseUri;
Credentials = credentials;
if (Credentials != null)
{
Credentials.InitializeServiceClient(this);
}
}
/// <summary>
/// Initializes a new instance of the MicrosoftAzureTestUrl class.
/// </summary>
/// <param name='baseUri'>
/// Optional. The base URI of the service.
/// </param>
/// <param name='credentials'>
/// Required. Credentials needed for the client to connect to Azure.
/// </param>
/// <param name='rootHandler'>
/// Optional. The http client handler used to handle http transport.
/// </param>
/// <param name='handlers'>
/// Optional. The delegating handlers to add to the http client pipeline.
/// </param>
/// <exception cref="System.ArgumentNullException">
/// Thrown when a required parameter is null
/// </exception>
public MicrosoftAzureTestUrl(System.Uri baseUri, ServiceClientCredentials credentials, System.Net.Http.HttpClientHandler rootHandler, params System.Net.Http.DelegatingHandler[] handlers) : this(rootHandler, handlers)
{
if (baseUri == null)
{
throw new System.ArgumentNullException("baseUri");
}
if (credentials == null)
{
throw new System.ArgumentNullException("credentials");
}
BaseUri = baseUri;
Credentials = credentials;
if (Credentials != null)
{
Credentials.InitializeServiceClient(this);
}
}
/// <summary>
/// An optional partial-method to perform custom initialization.
/// </summary>
partial void CustomInitialize();
/// <summary>
/// Initializes client properties.
/// </summary>
private void Initialize()
{
Group = new GroupOperations(this);
BaseUri = new System.Uri("https://management.azure.com/");
ApiVersion = "2014-04-01-preview";
AcceptLanguage = "en-US";
LongRunningOperationRetryTimeout = 30;
GenerateClientRequestId = true;
SerializationSettings = new Newtonsoft.Json.JsonSerializerSettings
{
Formatting = Newtonsoft.Json.Formatting.Indented,
DateFormatHandling = Newtonsoft.Json.DateFormatHandling.IsoDateFormat,
DateTimeZoneHandling = Newtonsoft.Json.DateTimeZoneHandling.Utc,
NullValueHandling = Newtonsoft.Json.NullValueHandling.Ignore,
ReferenceLoopHandling = Newtonsoft.Json.ReferenceLoopHandling.Serialize,
ContractResolver = new ReadOnlyJsonContractResolver(),
Converters = new System.Collections.Generic.List<Newtonsoft.Json.JsonConverter>
{
new Iso8601TimeSpanConverter()
}
};
DeserializationSettings = new Newtonsoft.Json.JsonSerializerSettings
{
DateFormatHandling = Newtonsoft.Json.DateFormatHandling.IsoDateFormat,
DateTimeZoneHandling = Newtonsoft.Json.DateTimeZoneHandling.Utc,
NullValueHandling = Newtonsoft.Json.NullValueHandling.Ignore,
ReferenceLoopHandling = Newtonsoft.Json.ReferenceLoopHandling.Serialize,
ContractResolver = new ReadOnlyJsonContractResolver(),
Converters = new System.Collections.Generic.List<Newtonsoft.Json.JsonConverter>
{
new Iso8601TimeSpanConverter()
}
};
CustomInitialize();
DeserializationSettings.Converters.Add(new CloudErrorJsonConverter());
}
}
}
| 39.937107 | 224 | 0.586929 | [
"MIT"
] | yugangw-msft/AutoRest | src/generator/AutoRest.CSharp.Azure.Tests/Expected/AcceptanceTests/SubscriptionIdApiVersion/MicrosoftAzureTestUrl.cs | 12,700 | C# |
// Licensed to the .NET Foundation under one or more agreements.
// The .NET Foundation licenses this file to you under the MIT license.
// See the LICENSE file in the project root for more information.
using System.Collections.Generic;
using System.Linq;
using System.Runtime.InteropServices;
using System.Threading;
using System.Threading.Tasks;
using Xunit;
namespace System.IO.Pipes.Tests
{
/// <summary>
/// The Simple NamedPipe tests cover potentially every-day scenarios that are shared
/// by all NamedPipes whether they be Server/Client or In/Out/Inout.
/// </summary>
public abstract class NamedPipeTest_Simple : NamedPipeTestBase
{
/// <summary>
/// Yields every combination of testing options for the OneWayReadWrites test
/// </summary>
/// <returns></returns>
public static IEnumerable<object[]> OneWayReadWritesMemberData()
{
var options = new[] { PipeOptions.None, PipeOptions.Asynchronous };
var bools = new[] { false, true };
foreach (PipeOptions serverOption in options)
foreach (PipeOptions clientOption in options)
foreach (bool asyncServerOps in bools)
foreach (bool asyncClientOps in bools)
yield return new object[] { serverOption, clientOption, asyncServerOps, asyncClientOps };
}
[Theory]
[MemberData(nameof(OneWayReadWritesMemberData))]
public async Task OneWayReadWrites(PipeOptions serverOptions, PipeOptions clientOptions, bool asyncServerOps, bool asyncClientOps)
{
using (NamedPipePair pair = CreateNamedPipePair(serverOptions, clientOptions))
{
NamedPipeClientStream client = pair.clientStream;
NamedPipeServerStream server = pair.serverStream;
byte[] received = new byte[] { 0 };
Task clientTask = Task.Run(async () =>
{
if (asyncClientOps)
{
await client.ConnectAsync();
if (pair.writeToServer)
{
received = await ReadBytesAsync(client, sendBytes.Length);
}
else
{
await WriteBytesAsync(client, sendBytes);
}
}
else
{
client.Connect();
if (pair.writeToServer)
{
received = ReadBytes(client, sendBytes.Length);
}
else
{
WriteBytes(client, sendBytes);
}
}
});
if (asyncServerOps)
{
await server.WaitForConnectionAsync();
if (pair.writeToServer)
{
await WriteBytesAsync(server, sendBytes);
}
else
{
received = await ReadBytesAsync(server, sendBytes.Length);
}
}
else
{
server.WaitForConnection();
if (pair.writeToServer)
{
WriteBytes(server, sendBytes);
}
else
{
received = ReadBytes(server, sendBytes.Length);
}
}
await clientTask;
Assert.Equal(sendBytes, received);
server.Disconnect();
Assert.False(server.IsConnected);
}
}
[Fact]
public async Task ClonedServer_ActsAsOriginalServer()
{
byte[] msg1 = new byte[] { 5, 7, 9, 10 };
byte[] received1 = new byte[] { 0, 0, 0, 0 };
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream serverBase = pair.serverStream;
NamedPipeClientStream client = pair.clientStream;
pair.Connect();
if (pair.writeToServer)
{
Task<int> clientTask = client.ReadAsync(received1, 0, received1.Length);
using (NamedPipeServerStream server = new NamedPipeServerStream(PipeDirection.Out, false, true, serverBase.SafePipeHandle))
{
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows))
{
Assert.Equal(1, client.NumberOfServerInstances);
}
server.Write(msg1, 0, msg1.Length);
int receivedLength = await clientTask;
Assert.Equal(msg1.Length, receivedLength);
Assert.Equal(msg1, received1);
}
}
else
{
Task clientTask = client.WriteAsync(msg1, 0, msg1.Length);
using (NamedPipeServerStream server = new NamedPipeServerStream(PipeDirection.In, false, true, serverBase.SafePipeHandle))
{
int receivedLength = server.Read(received1, 0, msg1.Length);
Assert.Equal(msg1.Length, receivedLength);
Assert.Equal(msg1, received1);
await clientTask;
}
}
}
}
[Fact]
public async Task ClonedClient_ActsAsOriginalClient()
{
byte[] msg1 = new byte[] { 5, 7, 9, 10 };
byte[] received1 = new byte[] { 0, 0, 0, 0 };
using (NamedPipePair pair = CreateNamedPipePair())
{
pair.Connect();
NamedPipeServerStream server = pair.serverStream;
if (pair.writeToServer)
{
using (NamedPipeClientStream client = new NamedPipeClientStream(PipeDirection.In, false, true, pair.clientStream.SafePipeHandle))
{
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows))
{
Assert.Equal(1, client.NumberOfServerInstances);
}
Task<int> clientTask = client.ReadAsync(received1, 0, received1.Length);
server.Write(msg1, 0, msg1.Length);
int receivedLength = await clientTask;
Assert.Equal(msg1.Length, receivedLength);
Assert.Equal(msg1, received1);
}
}
else
{
using (NamedPipeClientStream client = new NamedPipeClientStream(PipeDirection.Out, false, true, pair.clientStream.SafePipeHandle))
{
Task clientTask = client.WriteAsync(msg1, 0, msg1.Length);
int receivedLength = server.Read(received1, 0, msg1.Length);
Assert.Equal(msg1.Length, receivedLength);
Assert.Equal(msg1, received1);
await clientTask;
}
}
}
}
[Fact]
public void ConnectOnAlreadyConnectedClient_Throws_InvalidOperationException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
NamedPipeClientStream client = pair.clientStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
pair.Connect();
Assert.True(client.IsConnected);
Assert.True(server.IsConnected);
Assert.Throws<InvalidOperationException>(() => client.Connect());
}
}
[Fact]
public void WaitForConnectionOnAlreadyConnectedServer_Throws_InvalidOperationException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
NamedPipeClientStream client = pair.clientStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
pair.Connect();
Assert.True(client.IsConnected);
Assert.True(server.IsConnected);
Assert.Throws<InvalidOperationException>(() => server.WaitForConnection());
}
}
[Fact]
public async Task CancelTokenOn_ServerWaitForConnectionAsync_Throws_OperationCanceledException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
var ctx = new CancellationTokenSource();
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows)) // cancellation token after the operation has been initiated
{
Task serverWaitTimeout = server.WaitForConnectionAsync(ctx.Token);
ctx.Cancel();
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverWaitTimeout);
}
ctx.Cancel();
Assert.True(server.WaitForConnectionAsync(ctx.Token).IsCanceled);
}
}
[Fact]
[PlatformSpecific(TestPlatforms.Windows)] // P/Invoking to Win32 functions
public async Task CancelTokenOff_ServerWaitForConnectionAsyncWithOuterCancellation_Throws_OperationCanceledException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
Task waitForConnectionTask = server.WaitForConnectionAsync(CancellationToken.None);
Assert.True(Interop.CancelIoEx(server.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => waitForConnectionTask);
Assert.True(waitForConnectionTask.IsCanceled);
}
}
[Fact]
[PlatformSpecific(TestPlatforms.Windows)] // P/Invoking to Win32 functions
public async Task CancelTokenOn_ServerWaitForConnectionAsyncWithOuterCancellation_Throws_IOException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
var cts = new CancellationTokenSource();
NamedPipeServerStream server = pair.serverStream;
Task waitForConnectionTask = server.WaitForConnectionAsync(cts.Token);
Assert.True(Interop.CancelIoEx(server.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAsync<IOException>(() => waitForConnectionTask);
}
}
[Fact]
public async Task OperationsOnDisconnectedServer()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
pair.Connect();
Assert.Throws<InvalidOperationException>(() => server.IsMessageComplete);
Assert.Throws<InvalidOperationException>(() => server.WaitForConnection());
await Assert.ThrowsAsync<InvalidOperationException>(() => server.WaitForConnectionAsync()); // fails because allowed connections is set to 1
server.Disconnect();
Assert.Throws<InvalidOperationException>(() => server.Disconnect()); // double disconnect
byte[] buffer = new byte[] { 0, 0, 0, 0 };
if (pair.writeToServer)
{
Assert.Throws<InvalidOperationException>(() => server.Write(buffer, 0, buffer.Length));
Assert.Throws<InvalidOperationException>(() => server.WriteByte(5));
Assert.Throws<InvalidOperationException>(() => { server.WriteAsync(buffer, 0, buffer.Length); });
}
else
{
Assert.Throws<InvalidOperationException>(() => server.Read(buffer, 0, buffer.Length));
Assert.Throws<InvalidOperationException>(() => server.ReadByte());
Assert.Throws<InvalidOperationException>(() => { server.ReadAsync(buffer, 0, buffer.Length); });
}
Assert.Throws<InvalidOperationException>(() => server.Flush());
Assert.Throws<InvalidOperationException>(() => server.IsMessageComplete);
Assert.Throws<InvalidOperationException>(() => server.GetImpersonationUserName());
}
}
[Fact]
public virtual async Task OperationsOnDisconnectedClient()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
NamedPipeClientStream client = pair.clientStream;
pair.Connect();
Assert.Throws<InvalidOperationException>(() => client.IsMessageComplete);
Assert.Throws<InvalidOperationException>(() => client.Connect());
await Assert.ThrowsAsync<InvalidOperationException>(() => client.ConnectAsync());
server.Disconnect();
byte[] buffer = new byte[] { 0, 0, 0, 0 };
if (!pair.writeToServer)
{
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows)) // writes on Unix may still succeed after other end disconnects, due to socket being used
{
// Pipe is broken
Assert.Throws<IOException>(() => client.Write(buffer, 0, buffer.Length));
Assert.Throws<IOException>(() => client.WriteByte(5));
Assert.Throws<IOException>(() => { client.WriteAsync(buffer, 0, buffer.Length); });
Assert.Throws<IOException>(() => client.Flush());
Assert.Throws<IOException>(() => client.NumberOfServerInstances);
}
}
else
{
// Nothing for the client to read, but no exception throwing
Assert.Equal(0, client.Read(buffer, 0, buffer.Length));
Assert.Equal(-1, client.ReadByte());
if (!RuntimeInformation.IsOSPlatform(OSPlatform.Windows)) // NumberOfServerInstances not supported on Unix
{
Assert.Throws<PlatformNotSupportedException>(() => client.NumberOfServerInstances);
}
}
Assert.Throws<InvalidOperationException>(() => client.IsMessageComplete);
}
}
[Fact]
[PlatformSpecific(TestPlatforms.Windows)] // Unix implemented on sockets, where disposal information doesn't propagate
public async Task Windows_OperationsOnNamedServerWithDisposedClient()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
pair.Connect();
pair.clientStream.Dispose();
Assert.Throws<IOException>(() => server.WaitForConnection());
await Assert.ThrowsAsync<IOException>(() => server.WaitForConnectionAsync());
Assert.Throws<IOException>(() => server.GetImpersonationUserName());
}
}
[Fact]
[PlatformSpecific(TestPlatforms.AnyUnix)] // Unix implemented on sockets, where disposal information doesn't propagate
public async Task Unix_OperationsOnNamedServerWithDisposedClient()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
pair.Connect();
pair.clientStream.Dispose();
// On Unix, the server still thinks that it is connected after client Disposal.
Assert.Throws<InvalidOperationException>(() => server.WaitForConnection());
await Assert.ThrowsAsync<InvalidOperationException>(() => server.WaitForConnectionAsync());
Assert.NotNull(server.GetImpersonationUserName());
}
}
[Fact]
public void OperationsOnUnconnectedServer()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
// doesn't throw exceptions
PipeTransmissionMode transmitMode = server.TransmissionMode;
Assert.Throws<ArgumentOutOfRangeException>(() => server.ReadMode = (PipeTransmissionMode)999);
byte[] buffer = new byte[] { 0, 0, 0, 0 };
if (pair.writeToServer)
{
Assert.Equal(0, server.OutBufferSize);
Assert.Throws<InvalidOperationException>(() => server.Write(buffer, 0, buffer.Length));
Assert.Throws<InvalidOperationException>(() => server.WriteByte(5));
Assert.Throws<InvalidOperationException>(() => { server.WriteAsync(buffer, 0, buffer.Length); });
}
else
{
Assert.Equal(0, server.InBufferSize);
PipeTransmissionMode readMode = server.ReadMode;
Assert.Throws<InvalidOperationException>(() => server.Read(buffer, 0, buffer.Length));
Assert.Throws<InvalidOperationException>(() => server.ReadByte());
Assert.Throws<InvalidOperationException>(() => { server.ReadAsync(buffer, 0, buffer.Length); });
}
Assert.Throws<InvalidOperationException>(() => server.Disconnect()); // disconnect when not connected
Assert.Throws<InvalidOperationException>(() => server.IsMessageComplete);
}
}
[Fact]
public void OperationsOnUnconnectedClient()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeClientStream client = pair.clientStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
if (client.CanRead)
{
Assert.Throws<InvalidOperationException>(() => client.Read(buffer, 0, buffer.Length));
Assert.Throws<InvalidOperationException>(() => client.ReadByte());
Assert.Throws<InvalidOperationException>(() => { client.ReadAsync(buffer, 0, buffer.Length); });
Assert.Throws<InvalidOperationException>(() => client.ReadMode);
Assert.Throws<InvalidOperationException>(() => client.ReadMode = PipeTransmissionMode.Byte);
}
if (client.CanWrite)
{
Assert.Throws<InvalidOperationException>(() => client.Write(buffer, 0, buffer.Length));
Assert.Throws<InvalidOperationException>(() => client.WriteByte(5));
Assert.Throws<InvalidOperationException>(() => { client.WriteAsync(buffer, 0, buffer.Length); });
}
Assert.Throws<InvalidOperationException>(() => client.NumberOfServerInstances);
Assert.Throws<InvalidOperationException>(() => client.TransmissionMode);
Assert.Throws<InvalidOperationException>(() => client.InBufferSize);
Assert.Throws<InvalidOperationException>(() => client.OutBufferSize);
Assert.Throws<InvalidOperationException>(() => client.SafePipeHandle);
}
}
[Fact]
public async Task DisposedServerPipe_Throws_ObjectDisposedException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream pipe = pair.serverStream;
pipe.Dispose();
byte[] buffer = new byte[] { 0, 0, 0, 0 };
Assert.Throws<ObjectDisposedException>(() => pipe.Disconnect());
Assert.Throws<ObjectDisposedException>(() => pipe.GetImpersonationUserName());
Assert.Throws<ObjectDisposedException>(() => pipe.WaitForConnection());
await Assert.ThrowsAsync<ObjectDisposedException>(() => pipe.WaitForConnectionAsync());
}
}
[Fact]
public async Task DisposedClientPipe_Throws_ObjectDisposedException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
pair.Connect();
NamedPipeClientStream pipe = pair.clientStream;
pipe.Dispose();
byte[] buffer = new byte[] { 0, 0, 0, 0 };
Assert.Throws<ObjectDisposedException>(() => pipe.Connect());
await Assert.ThrowsAsync<ObjectDisposedException>(() => pipe.ConnectAsync());
Assert.Throws<ObjectDisposedException>(() => pipe.NumberOfServerInstances);
}
}
[Fact]
public async Task ReadAsync_DisconnectDuringRead_Returns0()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
pair.Connect();
Task<int> readTask;
if (pair.clientStream.CanRead)
{
readTask = pair.clientStream.ReadAsync(new byte[1], 0, 1);
pair.serverStream.Dispose();
}
else
{
readTask = pair.serverStream.ReadAsync(new byte[1], 0, 1);
pair.clientStream.Dispose();
}
Assert.Equal(0, await readTask);
}
}
[PlatformSpecific(TestPlatforms.Windows)] // Unix named pipes are on sockets, where small writes with an empty buffer will succeed immediately
[Fact]
public async Task WriteAsync_DisconnectDuringWrite_Throws()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
pair.Connect();
Task writeTask;
if (pair.clientStream.CanWrite)
{
writeTask = pair.clientStream.WriteAsync(new byte[1], 0, 1);
pair.serverStream.Dispose();
}
else
{
writeTask = pair.serverStream.WriteAsync(new byte[1], 0, 1);
pair.clientStream.Dispose();
}
await Assert.ThrowsAsync<IOException>(() => writeTask);
}
}
[Fact]
public async Task Server_ReadWriteCancelledToken_Throws_OperationCanceledException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
NamedPipeClientStream client = pair.clientStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
pair.Connect();
if (server.CanRead && client.CanWrite)
{
var ctx1 = new CancellationTokenSource();
Task<int> serverReadToken = server.ReadAsync(buffer, 0, buffer.Length, ctx1.Token);
ctx1.Cancel();
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverReadToken);
ctx1.Cancel();
Assert.True(server.ReadAsync(buffer, 0, buffer.Length, ctx1.Token).IsCanceled);
}
if (server.CanWrite)
{
var ctx1 = new CancellationTokenSource();
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows)) // On Unix WriteAsync's aren't cancelable once initiated
{
Task serverWriteToken = server.WriteAsync(buffer, 0, buffer.Length, ctx1.Token);
ctx1.Cancel();
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverWriteToken);
}
ctx1.Cancel();
Assert.True(server.WriteAsync(buffer, 0, buffer.Length, ctx1.Token).IsCanceled);
}
}
}
[Fact]
[PlatformSpecific(TestPlatforms.Windows)] // P/Invoking to Win32 functions
public async Task CancelTokenOff_Server_ReadWriteCancelledToken_Throws_OperationCanceledException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
pair.Connect();
if (server.CanRead)
{
Task serverReadToken = server.ReadAsync(buffer, 0, buffer.Length, CancellationToken.None);
Assert.True(Interop.CancelIoEx(server.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverReadToken);
Assert.True(serverReadToken.IsCanceled);
}
if (server.CanWrite)
{
Task serverWriteToken = server.WriteAsync(buffer, 0, buffer.Length, CancellationToken.None);
Assert.True(Interop.CancelIoEx(server.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverWriteToken);
Assert.True(serverWriteToken.IsCanceled);
}
}
}
[Fact]
[PlatformSpecific(TestPlatforms.Windows)] // P/Invoking to Win32 functions
public async Task CancelTokenOn_Server_ReadWriteCancelledToken_Throws_OperationCanceledException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeServerStream server = pair.serverStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
pair.Connect();
if (server.CanRead)
{
var cts = new CancellationTokenSource();
Task serverReadToken = server.ReadAsync(buffer, 0, buffer.Length, cts.Token);
Assert.True(Interop.CancelIoEx(server.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverReadToken);
}
if (server.CanWrite)
{
var cts = new CancellationTokenSource();
Task serverWriteToken = server.WriteAsync(buffer, 0, buffer.Length, cts.Token);
Assert.True(Interop.CancelIoEx(server.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverWriteToken);
}
}
}
[Fact]
public async Task Client_ReadWriteCancelledToken_Throws_OperationCanceledException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeClientStream client = pair.clientStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
pair.Connect();
if (client.CanRead)
{
var ctx1 = new CancellationTokenSource();
Task serverReadToken = client.ReadAsync(buffer, 0, buffer.Length, ctx1.Token);
ctx1.Cancel();
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverReadToken);
Assert.True(client.ReadAsync(buffer, 0, buffer.Length, ctx1.Token).IsCanceled);
}
if (client.CanWrite)
{
var ctx1 = new CancellationTokenSource();
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows)) // On Unix WriteAsync's aren't cancelable once initiated
{
Task serverWriteToken = client.WriteAsync(buffer, 0, buffer.Length, ctx1.Token);
ctx1.Cancel();
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => serverWriteToken);
}
ctx1.Cancel();
Assert.True(client.WriteAsync(buffer, 0, buffer.Length, ctx1.Token).IsCanceled);
}
}
}
[Fact]
[PlatformSpecific(TestPlatforms.Windows)] // P/Invoking to Win32 functions
public async Task CancelTokenOff_Client_ReadWriteCancelledToken_Throws_OperationCanceledException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeClientStream client = pair.clientStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
pair.Connect();
if (client.CanRead)
{
Task clientReadToken = client.ReadAsync(buffer, 0, buffer.Length, CancellationToken.None);
Assert.True(Interop.CancelIoEx(client.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => clientReadToken);
Assert.True(clientReadToken.IsCanceled);
}
if (client.CanWrite)
{
Task clientWriteToken = client.WriteAsync(buffer, 0, buffer.Length, CancellationToken.None);
Assert.True(Interop.CancelIoEx(client.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => clientWriteToken);
Assert.True(clientWriteToken.IsCanceled);
}
}
}
[Fact]
[PlatformSpecific(TestPlatforms.Windows)] // P/Invoking to Win32 functions
public async Task CancelTokenOn_Client_ReadWriteCancelledToken_Throws_OperationCanceledException()
{
using (NamedPipePair pair = CreateNamedPipePair())
{
NamedPipeClientStream client = pair.clientStream;
byte[] buffer = new byte[] { 0, 0, 0, 0 };
pair.Connect();
if (client.CanRead)
{
var cts = new CancellationTokenSource();
Task clientReadToken = client.ReadAsync(buffer, 0, buffer.Length, cts.Token);
Assert.True(Interop.CancelIoEx(client.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => clientReadToken);
}
if (client.CanWrite)
{
var cts = new CancellationTokenSource();
Task clientWriteToken = client.WriteAsync(buffer, 0, buffer.Length, cts.Token);
Assert.True(Interop.CancelIoEx(client.SafePipeHandle), "Outer cancellation failed");
await Assert.ThrowsAnyAsync<OperationCanceledException>(() => clientWriteToken);
}
}
}
[Theory]
[InlineData(true)]
[InlineData(false)]
public async Task ManyConcurrentOperations(bool cancelable)
{
using (NamedPipePair pair = CreateNamedPipePair(PipeOptions.Asynchronous, PipeOptions.Asynchronous))
{
await Task.WhenAll(pair.serverStream.WaitForConnectionAsync(), pair.clientStream.ConnectAsync());
const int NumOps = 100;
const int DataPerOp = 512;
byte[] sendingData = new byte[NumOps * DataPerOp];
byte[] readingData = new byte[sendingData.Length];
new Random().NextBytes(sendingData);
var cancellationToken = cancelable ? new CancellationTokenSource().Token : CancellationToken.None;
Stream reader = pair.writeToServer ? (Stream)pair.clientStream : pair.serverStream;
Stream writer = pair.writeToServer ? (Stream)pair.serverStream : pair.clientStream;
var reads = new Task<int>[NumOps];
var writes = new Task[NumOps];
for (int i = 0; i < reads.Length; i++)
reads[i] = reader.ReadAsync(readingData, i * DataPerOp, DataPerOp, cancellationToken);
for (int i = 0; i < reads.Length; i++)
writes[i] = writer.WriteAsync(sendingData, i * DataPerOp, DataPerOp, cancellationToken);
const int WaitTimeout = 30000;
Assert.True(Task.WaitAll(writes, WaitTimeout));
Assert.True(Task.WaitAll(reads, WaitTimeout));
// The data of each write may not be written atomically, and as such some of the data may be
// interleaved rather than entirely in the order written.
Assert.Equal(sendingData.OrderBy(b => b), readingData.OrderBy(b => b));
}
}
}
[ActiveIssue(22271, TargetFrameworkMonikers.Uap)]
public class NamedPipeTest_Simple_ServerInOutRead_ClientInOutWrite : NamedPipeTest_Simple
{
protected override NamedPipePair CreateNamedPipePair(PipeOptions serverOptions, PipeOptions clientOptions)
{
NamedPipePair ret = new NamedPipePair();
string pipeName = GetUniquePipeName();
ret.serverStream = new NamedPipeServerStream(pipeName, PipeDirection.InOut, 1, PipeTransmissionMode.Byte, serverOptions);
ret.clientStream = new NamedPipeClientStream(".", pipeName, PipeDirection.InOut, clientOptions);
ret.writeToServer = false;
return ret;
}
}
[ActiveIssue(22271, TargetFrameworkMonikers.Uap)]
public class NamedPipeTest_Simple_ServerInOutWrite_ClientInOutRead : NamedPipeTest_Simple
{
protected override NamedPipePair CreateNamedPipePair(PipeOptions serverOptions, PipeOptions clientOptions)
{
NamedPipePair ret = new NamedPipePair();
string pipeName = GetUniquePipeName();
ret.serverStream = new NamedPipeServerStream(pipeName, PipeDirection.InOut, 1, PipeTransmissionMode.Byte, serverOptions);
ret.clientStream = new NamedPipeClientStream(".", pipeName, PipeDirection.InOut, clientOptions);
ret.writeToServer = true;
return ret;
}
}
[ActiveIssue(22271, TargetFrameworkMonikers.Uap)]
public class NamedPipeTest_Simple_ServerInOut_ClientIn : NamedPipeTest_Simple
{
protected override NamedPipePair CreateNamedPipePair(PipeOptions serverOptions, PipeOptions clientOptions)
{
NamedPipePair ret = new NamedPipePair();
string pipeName = GetUniquePipeName();
ret.serverStream = new NamedPipeServerStream(pipeName, PipeDirection.InOut, 1, PipeTransmissionMode.Byte, serverOptions);
ret.clientStream = new NamedPipeClientStream(".", pipeName, PipeDirection.In, clientOptions);
ret.writeToServer = true;
return ret;
}
}
[ActiveIssue(22271, TargetFrameworkMonikers.Uap)]
public class NamedPipeTest_Simple_ServerInOut_ClientOut : NamedPipeTest_Simple
{
protected override NamedPipePair CreateNamedPipePair(PipeOptions serverOptions, PipeOptions clientOptions)
{
NamedPipePair ret = new NamedPipePair();
string pipeName = GetUniquePipeName();
ret.serverStream = new NamedPipeServerStream(pipeName, PipeDirection.InOut, 1, PipeTransmissionMode.Byte, serverOptions);
ret.clientStream = new NamedPipeClientStream(".", pipeName, PipeDirection.Out, clientOptions);
ret.writeToServer = false;
return ret;
}
}
[ActiveIssue(22271, TargetFrameworkMonikers.Uap)]
public class NamedPipeTest_Simple_ServerOut_ClientIn : NamedPipeTest_Simple
{
protected override NamedPipePair CreateNamedPipePair(PipeOptions serverOptions, PipeOptions clientOptions)
{
NamedPipePair ret = new NamedPipePair();
string pipeName = GetUniquePipeName();
ret.serverStream = new NamedPipeServerStream(pipeName, PipeDirection.Out, 1, PipeTransmissionMode.Byte, serverOptions);
ret.clientStream = new NamedPipeClientStream(".", pipeName, PipeDirection.In, clientOptions);
ret.writeToServer = true;
return ret;
}
}
[ActiveIssue(22271, TargetFrameworkMonikers.Uap)]
public class NamedPipeTest_Simple_ServerIn_ClientOut : NamedPipeTest_Simple
{
protected override NamedPipePair CreateNamedPipePair(PipeOptions serverOptions, PipeOptions clientOptions)
{
NamedPipePair ret = new NamedPipePair();
string pipeName = GetUniquePipeName();
ret.serverStream = new NamedPipeServerStream(pipeName, PipeDirection.In, 1, PipeTransmissionMode.Byte, serverOptions);
ret.clientStream = new NamedPipeClientStream(".", pipeName, PipeDirection.Out, clientOptions);
ret.writeToServer = false;
return ret;
}
}
}
| 45.190476 | 166 | 0.561591 | [
"MIT"
] | RobSiklos/corefx | src/System.IO.Pipes/tests/NamedPipeTests/NamedPipeTest.Simple.cs | 37,960 | C# |
using System.Collections.Generic;
using System.Collections.ObjectModel;
namespace WebAPIs.Areas.HelpPage.ModelDescriptions
{
public class EnumTypeModelDescription : ModelDescription
{
public EnumTypeModelDescription()
{
Values = new Collection<EnumValueDescription>();
}
public Collection<EnumValueDescription> Values { get; private set; }
}
} | 26.733333 | 76 | 0.705736 | [
"MIT"
] | CDOTAD/HospitalManageSystem | WebAPIs/WebAPIs/Areas/HelpPage/ModelDescriptions/EnumTypeModelDescription.cs | 401 | C# |
using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.ApplicationParts;
using Microsoft.AspNetCore.Mvc.Controllers;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp;
using Stankins.Interpreter;
using StankinsCommon;
using StankinsHelperCommands;
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.IO;
using System.Linq;
using System.Reflection;
namespace StankinsDataWeb
{
public class GenericControllerFeatureProvider : IApplicationFeatureProvider<ControllerFeature>
{
private readonly IHostingEnvironment hosting;
public GenericControllerFeatureProvider(IHostingEnvironment hosting)
{
this.hosting = hosting;
}
public void PopulateFeature(IEnumerable<ApplicationPart> parts, ControllerFeature feature)
{
var dir = Path.Combine(hosting.ContentRootPath, "definitionHttpEndpoints");
foreach(var item in Directory.GetFiles(dir))
{
var ass=LoadFile(item);
if(ass == null)
{
//TODO:log
continue;
}
var types= ass.GetExportedTypes();
foreach (var type in types)
{
feature.Controllers.Add(type.GetTypeInfo());
}
}
}
private Assembly LoadFile(string fileName)
{
var refs=new List<MetadataReference>();
var ourRefs=Assembly.GetEntryAssembly().GetReferencedAssemblies();
foreach(var item in ourRefs)
{
var ass=Assembly.Load(item);
refs.Add(MetadataReference.CreateFromFile(ass.Location));
}
refs.Add(MetadataReference.CreateFromFile(typeof(Attribute).Assembly.Location));
//MetadataReference NetStandard = MetadataReference.CreateFromFile(Assembly.Load("netstandard, Version=2.0.0.0").Location);
MetadataReference NetStandard = MetadataReference.CreateFromFile(Assembly.Load("netstandard").Location);
refs.Add(NetStandard);
refs.Add(MetadataReference.CreateFromFile(typeof(object).GetTypeInfo().Assembly.Location) );
var refs1= FindAssembliesToExecute.AddReferences(new FindAssembliesToExecute(null).FromType(typeof(RecipeFromFilePath)))
.Select(it=>it.Type.Assembly.Location)
.Distinct()
.Select(it=>MetadataReference.CreateFromFile(it));
refs.AddRange(refs1);
refs.Add(MetadataReference.CreateFromFile(typeof(CtorDictionary).Assembly.Location));
refs.Add(MetadataReference.CreateFromFile(typeof(MarshalByValueComponent).Assembly.Location));
refs.Add(MetadataReference.CreateFromFile(typeof(System.Console).Assembly.Location));
refs.Add(MetadataReference.CreateFromFile(typeof(Microsoft.CSharp.RuntimeBinder.CSharpArgumentInfo).Assembly.Location));
var g=Guid.NewGuid().ToString("N");
var compilation = CSharpCompilation.Create(g,
new[] { CSharpSyntaxTree.ParseText(File.ReadAllText(fileName)) },
refs,
new CSharpCompilationOptions(OutputKind.DynamicallyLinkedLibrary));
using (var ms = new MemoryStream())
{
var res = compilation.Emit(ms);
if (!res.Success)
{
string diag=string.Join(Environment.NewLine, res.Diagnostics.Select(it=>it.ToString()));
File.AppendAllText(fileName,"/*"+diag+"*/");
return null;
}
ms.Seek(0, SeekOrigin.Begin);
return Assembly.Load(ms.ToArray());
}
}
}
}
| 41.09375 | 135 | 0.615209 | [
"MIT"
] | Zeroshi/stankins | stankinsv2/solution/StankinsV2/StankinsData/GenericControllerFeatureProvider.cs | 3,947 | C# |
using SpeedrunComApi.Interfaces;
namespace SpeedrunComApi.Endpoints
{
public abstract class EndpointBase
{
internal readonly IRateLimitedRequester _requester;
internal EndpointBase(IRateLimitedRequester requester)
{
_requester = requester;
}
}
}
| 17.733333 | 56 | 0.781955 | [
"MIT"
] | Failcookie/SpeedrunComApi | SpeedrunComApi/Endpoints/EndpointBase.cs | 268 | C# |
// Copyright (c) .NET Foundation. All rights reserved.
// Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information.
using System;
using System.Collections.Generic;
using System.Threading;
using System.Threading.Tasks;
using JetBrains.Annotations;
using Microsoft.EntityFrameworkCore.Storage;
namespace Microsoft.EntityFrameworkCore.Update
{
/// <summary>
/// <para>
/// A base class for a collection of <see cref="ModificationCommand" />s that can be executed
/// as a batch.
/// </para>
/// <para>
/// This type is typically used by database providers; it is generally not used in application code.
/// </para>
/// </summary>
public abstract class ModificationCommandBatch
{
/// <summary>
/// The list of conceptual insert/update/delete <see cref="ModificationCommands" />s in the batch.
/// </summary>
public abstract IReadOnlyList<ModificationCommand> ModificationCommands { get; }
/// <summary>
/// Adds the given insert/update/delete <see cref="ModificationCommands" /> to the batch.
/// </summary>
/// <param name="modificationCommand"> The command to add. </param>
/// <returns>
/// <see langword="true" /> if the command was successfully added; <see langword="false" /> if there was no
/// room in the current batch to add the command and it must instead be added to a new batch.
/// </returns>
public abstract bool AddCommand([NotNull] ModificationCommand modificationCommand);
/// <summary>
/// Sends insert/update/delete commands to the database.
/// </summary>
/// <param name="connection"> The database connection to use. </param>
public abstract void Execute([NotNull] IRelationalConnection connection);
/// <summary>
/// Sends insert/update/delete commands to the database.
/// </summary>
/// <param name="connection"> The database connection to use. </param>
/// <param name="cancellationToken"> A <see cref="CancellationToken" /> to observe while waiting for the task to complete. </param>
/// <returns> A task that represents the asynchronous save operation. </returns>
/// <exception cref="OperationCanceledException"> If the <see cref="CancellationToken"/> is canceled. </exception>
public abstract Task ExecuteAsync(
[NotNull] IRelationalConnection connection,
CancellationToken cancellationToken = default);
}
}
| 46.210526 | 139 | 0.646545 | [
"Apache-2.0"
] | Ali-YousefiTelori/EntityFrameworkCore | src/EFCore.Relational/Update/ModificationCommandBatch.cs | 2,634 | C# |
using System.IO;
using System.Net.Http;
using System.Net.Http.Headers;
namespace OpenOcrDotNet.Extensions {
/// <summary>Provides HTTP content based on a image stream.</summary>
public class ImageStreamContent : StreamContent {
public ImageStreamContent(Stream content) : base(content) {
//todo dynamic detect - at them moment the engine is searching against image/* content-type
Headers.ContentType = new MediaTypeHeaderValue("image/png");
}
public ImageStreamContent(Stream content, int bufferSize) : base(content, bufferSize) {
//todo dynamic detect - at them moment the engine is searching against image/* content-type
Headers.ContentType = new MediaTypeHeaderValue("image/png");
}
}
} | 43.555556 | 103 | 0.692602 | [
"MIT"
] | alex-doe/open-ocr-dotnet | OpenOcrDotNet/Extensions/ImageStreamContent.cs | 786 | C# |
using System;
public class GearEvent
{
public static readonly string Active = "Active";
public static readonly string Deactive = "Deactive";
public static readonly string StateUp = "StateUp";
public static readonly string StateDown = "StateDown";
}
| 19.769231 | 55 | 0.758755 | [
"MIT"
] | corefan/tianqi_src | src/GearEvent.cs | 257 | C# |
// Code generated by Microsoft (R) AutoRest Code Generator (autorest: 3.0.6365, generator: {generator})
// Changes may cause incorrect behavior and will be lost if the code is regenerated.
namespace Commvault.Powershell.Models
{
using static Commvault.Powershell.Runtime.Extensions;
/// <summary>External User Group Entity</summary>
public partial class ExternalUserGroup
{
/// <summary>
/// <c>AfterFromJson</c> will be called after the json deserialization has finished, allowing customization of the object
/// before it is returned. Implement this method in a partial class to enable this behavior
/// </summary>
/// <param name="json">The JsonNode that should be deserialized into this object.</param>
partial void AfterFromJson(Commvault.Powershell.Runtime.Json.JsonObject json);
/// <summary>
/// <c>AfterToJson</c> will be called after the json erialization has finished, allowing customization of the <see cref="Commvault.Powershell.Runtime.Json.JsonObject"
/// /> before it is returned. Implement this method in a partial class to enable this behavior
/// </summary>
/// <param name="container">The JSON container that the serialization result will be placed in.</param>
partial void AfterToJson(ref Commvault.Powershell.Runtime.Json.JsonObject container);
/// <summary>
/// <c>BeforeFromJson</c> will be called before the json deserialization has commenced, allowing complete customization of
/// the object before it is deserialized.
/// If you wish to disable the default deserialization entirely, return <c>true</c> in the <see "returnNow" /> output parameter.
/// Implement this method in a partial class to enable this behavior.
/// </summary>
/// <param name="json">The JsonNode that should be deserialized into this object.</param>
/// <param name="returnNow">Determines if the rest of the deserialization should be processed, or if the method should return
/// instantly.</param>
partial void BeforeFromJson(Commvault.Powershell.Runtime.Json.JsonObject json, ref bool returnNow);
/// <summary>
/// <c>BeforeToJson</c> will be called before the json serialization has commenced, allowing complete customization of the
/// object before it is serialized.
/// If you wish to disable the default serialization entirely, return <c>true</c> in the <see "returnNow" /> output parameter.
/// Implement this method in a partial class to enable this behavior.
/// </summary>
/// <param name="container">The JSON container that the serialization result will be placed in.</param>
/// <param name="returnNow">Determines if the rest of the serialization should be processed, or if the method should return
/// instantly.</param>
partial void BeforeToJson(ref Commvault.Powershell.Runtime.Json.JsonObject container, ref bool returnNow);
/// <summary>
/// Deserializes a Commvault.Powershell.Runtime.Json.JsonObject into a new instance of <see cref="ExternalUserGroup" />.
/// </summary>
/// <param name="json">A Commvault.Powershell.Runtime.Json.JsonObject instance to deserialize from.</param>
internal ExternalUserGroup(Commvault.Powershell.Runtime.Json.JsonObject json)
{
bool returnNow = false;
BeforeFromJson(json, ref returnNow);
if (returnNow)
{
return;
}
{_id = If( json?.PropertyT<Commvault.Powershell.Runtime.Json.JsonNumber>("id"), out var __jsonId) ? (int?)__jsonId : Id;}
{_name = If( json?.PropertyT<Commvault.Powershell.Runtime.Json.JsonString>("name"), out var __jsonName) ? (string)__jsonName : (string)Name;}
{_providerId = If( json?.PropertyT<Commvault.Powershell.Runtime.Json.JsonNumber>("providerId"), out var __jsonProviderId) ? (int?)__jsonProviderId : ProviderId;}
{_providerName = If( json?.PropertyT<Commvault.Powershell.Runtime.Json.JsonString>("providerName"), out var __jsonProviderName) ? (string)__jsonProviderName : (string)ProviderName;}
AfterFromJson(json);
}
/// <summary>
/// Deserializes a <see cref="Commvault.Powershell.Runtime.Json.JsonNode"/> into an instance of Commvault.Powershell.Models.IExternalUserGroup.
/// </summary>
/// <param name="node">a <see cref="Commvault.Powershell.Runtime.Json.JsonNode" /> to deserialize from.</param>
/// <returns>an instance of Commvault.Powershell.Models.IExternalUserGroup.</returns>
public static Commvault.Powershell.Models.IExternalUserGroup FromJson(Commvault.Powershell.Runtime.Json.JsonNode node)
{
return node is Commvault.Powershell.Runtime.Json.JsonObject json ? new ExternalUserGroup(json) : null;
}
/// <summary>
/// Serializes this instance of <see cref="ExternalUserGroup" /> into a <see cref="Commvault.Powershell.Runtime.Json.JsonNode" />.
/// </summary>
/// <param name="container">The <see cref="Commvault.Powershell.Runtime.Json.JsonObject"/> container to serialize this object into. If the caller
/// passes in <c>null</c>, a new instance will be created and returned to the caller.</param>
/// <param name="serializationMode">Allows the caller to choose the depth of the serialization. See <see cref="Commvault.Powershell.Runtime.SerializationMode"/>.</param>
/// <returns>
/// a serialized instance of <see cref="ExternalUserGroup" /> as a <see cref="Commvault.Powershell.Runtime.Json.JsonNode" />.
/// </returns>
public Commvault.Powershell.Runtime.Json.JsonNode ToJson(Commvault.Powershell.Runtime.Json.JsonObject container, Commvault.Powershell.Runtime.SerializationMode serializationMode)
{
container = container ?? new Commvault.Powershell.Runtime.Json.JsonObject();
bool returnNow = false;
BeforeToJson(ref container, ref returnNow);
if (returnNow)
{
return container;
}
AddIf( null != this._id ? (Commvault.Powershell.Runtime.Json.JsonNode)new Commvault.Powershell.Runtime.Json.JsonNumber((int)this._id) : null, "id" ,container.Add );
AddIf( null != (((object)this._name)?.ToString()) ? (Commvault.Powershell.Runtime.Json.JsonNode) new Commvault.Powershell.Runtime.Json.JsonString(this._name.ToString()) : null, "name" ,container.Add );
AddIf( null != this._providerId ? (Commvault.Powershell.Runtime.Json.JsonNode)new Commvault.Powershell.Runtime.Json.JsonNumber((int)this._providerId) : null, "providerId" ,container.Add );
AddIf( null != (((object)this._providerName)?.ToString()) ? (Commvault.Powershell.Runtime.Json.JsonNode) new Commvault.Powershell.Runtime.Json.JsonString(this._providerName.ToString()) : null, "providerName" ,container.Add );
AfterToJson(ref container);
return container;
}
}
} | 66.027778 | 237 | 0.681391 | [
"MIT"
] | Commvault/CVPowershellSDKV2 | generated/api/Models/ExternalUserGroup.json.cs | 7,131 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Media;
using System.Windows.Media.Imaging;
using System.Windows.Threading;
namespace Vizitka
{
public class WPF_Printer
{
public static void Print(FrameworkElement Element)
{
var dlg = new PrintDialog();
dlg.PrintTicket.PageOrientation = System.Printing.PageOrientation.Portrait;
/*var result = dlg.ShowDialog();
if (result == null || !(bool)result)
return;*/
var page = new Viewbox { Child = Element };
page.Measure(new Size(dlg.PrintableAreaWidth, dlg.PrintableAreaHeight));
page.Arrange(new Rect(new Point(0, 0), page.DesiredSize));
dlg.PrintVisual(page, "Печать визиток");
}
}
}
| 28.121212 | 87 | 0.647629 | [
"BSD-3-Clause"
] | kim-g/Visitka | Vizitka/WPF_Printer.cs | 943 | C# |
// Licensed to the .NET Foundation under one or more agreements.
// The .NET Foundation licenses this file to you under the MIT license.
// See the LICENSE file in the project root for more information.
using Microsoft.VisualStudio.LanguageServices.Implementation.ProjectSystem.Interop;
namespace Microsoft.VisualStudio.LanguageServices.Implementation.ProjectSystem.Legacy
{
internal partial class AbstractLegacyProject : ICompilerOptionsHostObject
{
int ICompilerOptionsHostObject.SetCompilerOptions(string compilerOptions, out bool supported)
{
VisualStudioProjectOptionsProcessor.SetCommandLine(compilerOptions);
supported = true;
return VSConstants.S_OK;
}
}
}
| 38.947368 | 101 | 0.756757 | [
"MIT"
] | BertanAygun/roslyn | src/VisualStudio/Core/Def/Implementation/ProjectSystem/Legacy/AbstractLegacyProject_ICompilerOptionsHostObject.cs | 742 | C# |
using BlazorApp.Application.Common.Events;
using BlazorApp.Domain.Account.Events;
using MediatR;
using Microsoft.Extensions.Logging;
namespace BlazorApp.Application.Account.EventHandlers;
public class AccountDeletedEventHandler : INotificationHandler<EventNotification<AccountDeletedEvent>>
{
private readonly ILogger<AccountDeletedEventHandler> _logger;
public AccountDeletedEventHandler(ILogger<AccountDeletedEventHandler> logger)
{
_logger = logger;
}
public Task Handle(EventNotification<AccountDeletedEvent> notification, CancellationToken cancellationToken)
{
_logger.LogInformation("{event} Triggered", notification.DomainEvent.GetType().Name);
return Task.CompletedTask;
}
} | 33.545455 | 112 | 0.791328 | [
"MIT"
] | DurgaPrasadReddyV/BlazorApp | Source/BlazorApp.Application/Account/EventHandlers/AccountDeletedEventHandler.cs | 738 | C# |
// Copyright 2020 Google LLC
//
// 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
//
// https://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.
using Newtonsoft.Json;
using Newtonsoft.Json.Linq;
using System.Collections.Generic;
using System.IO;
using System.Linq;
namespace Google.Cloud.Tools.Common
{
/// <summary>
/// The API catalog, containing all the metadata we need to generate and release APIs.
/// </summary>
public class ApiCatalog
{
/// <summary>
/// Groups of related packages which need to be released together.
/// </summary>
public List<PackageGroup> PackageGroups { get; set; }
/// <summary>
/// The APIs within the catalog.
/// </summary>
public List<ApiMetadata> Apis { get; set; }
/// <summary>
/// Proto paths for APIs we knowingly don't generate. The values are the reasons for not generating.
/// </summary>
public Dictionary<string, string> IgnoredPaths { get; set; }
/// <summary>
/// The JSON representation of the catalog. This is populated by <see cref="Load"/> and
/// <see cref="FromJson(string)"/>, but nothing keeps this in sync with the in-memory data.
/// </summary>
[JsonIgnore]
public JToken Json { get; set; }
/// <summary>
/// Formats <see cref="Json"/>.
/// </summary>
public string FormatJson() => Json.ToString(Formatting.Indented);
/// <summary>
/// Retrieves an API by ID.
/// </summary>
/// <param name="id"></param>
/// <exception cref="UserErrorException"></exception>
/// <returns>The API associated with the given ID</returns>
public ApiMetadata this[string id] => TryGetApi(id, out var api) ? api : throw new UserErrorException($"No API with ID '{id}'");
/// <summary>
/// Tries to retrieves an API by ID, without throwing an exception if it's not present.
/// </summary>
public bool TryGetApi(string id, out ApiMetadata api)
{
api = Apis.SingleOrDefault(api => api.Id == id);
return api is object;
}
/// <summary>
/// The path to the API catalog (apis.json).
/// </summary>
public static string CatalogPath => Path.Combine(DirectoryLayout.DetermineRootDirectory(), RelativeCatalogPath);
/// <summary>
/// The relative path to the catalog path, e.g. for use when fetching from GitHub.
/// </summary>
public static string RelativeCatalogPath => "apis/apis.json";
/// <summary>
/// Creates a hash set of the IDs of all the APIs in the catalog.
/// </summary>
/// <returns>A hash set of IDs.</returns>
public HashSet<string> CreateIdHashSet() => new HashSet<string>(Apis.Select(api => api.Id));
/// <summary>
/// Creates a map from API ID to the current version of that ID (as a string).
/// </summary>
public Dictionary<string, string> CreateRawVersionMap() => Apis.ToDictionary(api => api.Id, api => api.Version);
/// <summary>
/// Loads the API catalog from the local disk, automatically determining the location.
/// </summary>
/// <returns></returns>
public static ApiCatalog Load() => FromJson(File.ReadAllText(CatalogPath));
/// <summary>
/// Loads the API catalog from the given JSON.
/// </summary>
/// <param name="json">The JSON containing the API catalog.</param>
/// <returns>The API catalog.</returns>
public static ApiCatalog FromJson(string json)
{
JToken parsed = JToken.Parse(json);
var catalog = parsed.ToObject<ApiCatalog>(new JsonSerializer { MissingMemberHandling = MissingMemberHandling.Error });
catalog.Json = parsed;
// Provide the loaded JSON token for each API.
foreach (var apiJson in parsed["apis"].Children().OfType<JObject>())
{
if (apiJson.TryGetValue("id", out var idToken))
{
catalog[idToken.Value<string>()].Json = apiJson;
}
}
// Populate package group relationships
foreach (var group in catalog.PackageGroups)
{
foreach (var id in group.PackageIds)
{
if (catalog.TryGetApi(id, out var member))
{
if (member.PackageGroup is object)
{
throw new UserErrorException($"Package '{id}' is in groups '{group.Id}' and '{member.PackageGroup.Id}'");
}
member.PackageGroup = group;
}
else
{
throw new UserErrorException($"Package '{id}' in group '{group.Id}' is unknonwn");
}
}
}
return catalog;
}
}
}
| 39.22695 | 136 | 0.572048 | [
"Apache-2.0"
] | AlexandrTrf/google-cloud-dotnet | tools/Google.Cloud.Tools.Common/ApiCatalog.cs | 5,533 | C# |
#if WITH_GAME
#if PLATFORM_32BITS
using System;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
namespace UnrealEngine
{
[StructLayout(LayoutKind.Explicit,Size=84)]
public partial struct FRichCurve
{
[FieldOffset(64)]
public ERichCurveExtrapolation PreInfinityExtrap;
[FieldOffset(65)]
public ERichCurveExtrapolation PostInfinityExtrap;
[FieldOffset(68)]
public float DefaultValue;
public TStructArray<FRichCurveKey> Keys
{
get{ unsafe { fixed (void* p = &this) { return new TStructArray<FRichCurveKey>((FScriptArray)Marshal.PtrToStructure(new IntPtr(p)+72, typeof(FScriptArray)));}}}
set{ unsafe { fixed (void* p = &this) { Marshal.StructureToPtr(value.InterArray, new IntPtr(p)+72, false);}}}
}
[FieldOffset(4)]
public FKeyHandleMap KeyHandlesToIndices;
}
}
#endif
#endif
| 27.419355 | 166 | 0.750588 | [
"MIT"
] | RobertAcksel/UnrealCS | Engine/Plugins/UnrealCS/UECSharpDomain/UnrealEngine/GeneratedScriptFile_Game_32bits/FRichCurve.cs | 850 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Slowsharp
{
internal interface OptNodeBase
{
}
}
| 14.538462 | 34 | 0.746032 | [
"MIT"
] | pjc0247/SlowSharp | Slowsharp/Optimizer/OptNode/OptNodeBase.cs | 191 | C# |
/**********************************************************************************************************************
FocusOPEN Digital Asset Manager (TM)
(c) Daydream Interactive Limited 1995-2011, All Rights Reserved
The name and trademarks of copyright holders may NOT be used in advertising or publicity pertaining to the software
without specific, written prior permission. Title to copyright in this software and any associated documentation
will at all times remain with copyright holders.
Please refer to licences/focusopen.txt or http://www.digitalassetmanager.com for licensing information about this
software.
**********************************************************************************************************************/
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
using Daydream.Data;
using FocusOPEN.Data;
using FocusOPEN.Shared;
namespace FocusOPEN.Business
{
public static class OrderManager
{
#region Events
public static event OrderEventHandler OrderCreated;
public static event OrderEventHandler OrderCompleted;
public static event OrderItemsEventHandler OrderItemsProcessed;
public static event OrderItemCommentEventHandler NewAdminOrderItemComment;
public static event OrderItemCommentEventHandler NewUserOrderItemComment;
#endregion
/// <summary>
/// Creates an order from the user's cart.
/// </summary>
public static Order CreateOrderFromCart(User user)
{
// Create new cart manager for easy access to cart
CartManager cm = new CartManager(user);
// Ensure that the cart contains orderable items
ValidateCart(cm.CartList, user);
// Create the order
Order order = Order.New();
order.UserId = user.UserId.GetValueOrDefault();
order.OrderDate = DateTime.Now;
// Ensure there's no order items
Debug.Assert(order.OrderItemList.Count == 0);
// Now add the cart items to it
foreach (Cart cartItem in cm.CartList)
{
Asset asset = cartItem.Asset;
// Get the asset status for the cart item
AssetStatus assetStatus = AssetManager.GetAssetStatusForUser(asset, user);
// Only add assets that are actually available
// (Ignore withdrawn and expired assets)
if (assetStatus == AssetStatus.Available)
{
// Set the order item status based on whether the item is restricted or not
bool isRestricted = EntitySecurityManager.IsAssetRestricted(user, asset);
// Create new order item
OrderItem orderItem = OrderItem.New();
// Order items that are for restricted assets are set to awaiting approval
// and need to be approved by the user who uploaded them by default
// (though this can change, and be reassigned to the BU admin or superadmin,
// as per the workflow and scheduled scripts)
if (isRestricted)
{
orderItem.OrderItemStatus = OrderItemStatus.AwaitingApproval;
orderItem.AssignedToUserId = asset.UploadedByUser.GetOrderItemApproverUserId();
}
else
{
orderItem.OrderItemStatus = OrderItemStatus.Preapproved;
orderItem.AssignedToUserId = null;
}
orderItem.AssetId = cartItem.AssetId;
orderItem.Notes = cartItem.Notes;
orderItem.RequiredByDate = cartItem.RequiredByDate;
orderItem.CreateDate = DateTime.Now;
order.OrderItemList.Add(orderItem);
}
}
// Save the order
SaveOrder(order);
// Log which assets were ordered
foreach (OrderItem orderItem in order.OrderItemList)
AuditLogManager.LogAssetAction(orderItem.AssetId, user, AuditAssetAction.Ordered, string.Format("OrderId: {0}", orderItem.OrderId));
// Log order against user
AuditLogManager.LogUserAction(user, AuditUserAction.OrderAssets, string.Format("Placed order, with OrderId: {0} containing {1} assets", order.OrderId, order.OrderItemList.Count));
// Remove the items from the cart
cm.EmptyCart(false);
// Complete the order if all items have been processed
if (AllOrderItemsProcessed(order))
{
// Nothing in the order required approval, so automatically complete it
CompleteOrder(order);
}
else
{
// Fire event
if (OrderCreated != null)
OrderCreated(null, new OrderEventArgs(order));
}
return (order);
}
public static void ProcessOrderItems(EntityList<OrderItem> orderItems, User user)
{
if (orderItems.Count == 0)
throw new SystemException("No order items");
// Ensure that we have valid items
ValidateOrderItemsForProcessing(orderItems);
// Get the parent of the first order (all order items should be from the same order)
Order order = orderItems[0].Order;
// Create list to hold processed items
EntityList<OrderItem> processedOrderItems = new EntityList<OrderItem>();
// Flag to tell us whether we need to fire the 'order completion' event
bool notifyIfComplete = false;
// Iterate through all of the processed order items and save changes to database
foreach (OrderItem orderItem in orderItems)
{
if (orderItem.IsDirty)
notifyIfComplete = true;
// Update database
OrderItem.Update(orderItem);
// Save comments
foreach (OrderItemComment orderItemComment in orderItem.NewOrderItemCommentList)
{
// Save the comment
OrderItemComment.Update(orderItemComment);
// Fire event so user gets notified that a new comment has been made
if (NewAdminOrderItemComment != null)
NewAdminOrderItemComment(null, new OrderItemCommentEventArgs(order, orderItemComment));
}
// All new comments saved
orderItem.NewOrderItemCommentList.Clear();
switch (orderItem.OrderItemStatus)
{
case (OrderItemStatus.Approved):
// Order items which are approved are processed so add these to the processedOrderItems list
processedOrderItems.Add(orderItem);
// Log that a request for this asset was approved in the asset audit history
AuditLogManager.LogAssetAction(orderItem.AssetId, user, AuditAssetAction.ApprovedForDownload, string.Format("Approved for download for OrderId: {0} made by {1}", orderItem.OrderId, order.User.FullName));
// Log in user audit
AuditLogManager.LogUserAction(user, AuditUserAction.AuthoriseOrder, string.Format("Approved request for asset with AssetId: {0} for download in OrderId: {1} made by {2} (UserId: {3})", orderItem.AssetId, orderItem.OrderId, order.User.FullName, order.User.UserId));
break;
case (OrderItemStatus.Rejected):
// Order items which are rejected are processed so add these to the processedOrderItems list
processedOrderItems.Add(orderItem);
// Log that a request for this asset was rejected in the asset audit history
AuditLogManager.LogAssetAction(orderItem.AssetId, user, AuditAssetAction.RejectedForDownload, string.Format("Rejected for download for OrderId: {0} made by {1}. Reason: {2}", orderItem.OrderId, order.User.FullName, orderItem.LastComment));
// Log in user audit
AuditLogManager.LogUserAction(user, AuditUserAction.AuthoriseOrder, string.Format("Rejected request for asset with AssetId: {0} for download in OrderId: {1} made by {2} (UserId: {3})", orderItem.AssetId, orderItem.OrderId, order.User.FullName, order.User.UserId));
break;
}
}
// Complete the order if everything has been processed
if (AllOrderItemsProcessed(order))
{
CompleteOrder(order);
}
else
{
// Otherwise, fire the order items processed event to trigger
// any notifications to this user that order items have been processed.
// We only want to fire this if order items have actually been changed though
// so we look through the order items and check that at least one is dirty
if (notifyIfComplete)
if (OrderItemsProcessed != null)
OrderItemsProcessed(null, new OrderItemEventArgs(order, processedOrderItems));
}
// Update user audit with how many order items were processed in which order
AuditLogManager.LogUserAction(user, AuditUserAction.AuthoriseOrder, string.Format("Processed {0} items in order with OrderId: {1}", processedOrderItems.Count, order.OrderId));
}
public static void AddOrderItemComment(Order order, int orderItemId, int userId, string comment)
{
OrderItemComment orderItemComment = OrderItemComment.New();
orderItemComment.OrderItemId = orderItemId;
orderItemComment.UserId = userId;
orderItemComment.CommentText = comment;
orderItemComment.CommentDate = DateTime.Now;
OrderItemComment.Update(orderItemComment);
// Fire event
if (NewUserOrderItemComment != null)
NewUserOrderItemComment(null, new OrderItemCommentEventArgs(order, orderItemComment));
}
#region Private Helper Methods
private static bool AllOrderItemsProcessed(Order order)
{
int processedOrderItems = 0;
foreach (OrderItem orderItem in order.OrderItemList)
{
OrderItemStatus ois = EnumUtils.GetEnumFromValue<OrderItemStatus>(orderItem.OrderItemStatusId);
switch (ois)
{
case (OrderItemStatus.Preapproved):
case (OrderItemStatus.Approved):
case (OrderItemStatus.Rejected):
processedOrderItems++;
break;
case (OrderItemStatus.AwaitingApproval):
// Do nothing
break;
}
}
// Complete the order if all items have been processed
return (processedOrderItems == order.OrderItemList.Count);
}
private static void CompleteOrder(Order order)
{
if (!AllOrderItemsProcessed(order))
throw new InvalidOrderException("All order items must be approved or rejected before order can be completed");
order.CompletionDate = DateTime.Now;
SaveOrder(order);
// Fire event
if (OrderCompleted != null)
OrderCompleted(null, new OrderEventArgs(order));
}
#endregion
/// <summary>
/// Validates and saves the order
/// </summary>
/// <exception cref="InvalidOrderException">If order fails validation rules</exception>
private static void SaveOrder(Order order)
{
ValidateOrder(order);
// Save the order
Order.Update(order);
// Save all of the order items
foreach (OrderItem oi in order.OrderItemList)
{
if (oi.IsNew)
oi.OrderId = order.OrderId.GetValueOrDefault();
OrderItem.Update(oi);
}
}
#region Validation
private static void ValidateOrderItemsForProcessing(IList<OrderItem> orderItems)
{
int orderId = orderItems[0].OrderId;
foreach (OrderItem orderItem in orderItems)
{
if (orderItem.OrderItemStatus == OrderItemStatus.Rejected && orderItem.NewOrderItemCommentList.Count == 0)
throw new InvalidOrderItemException("Rejected order items must have a response");
if (orderItem.OrderId != orderId)
throw new InvalidOrderItemException("All order items must belong to the same order");
}
}
/// <summary>
/// Validates an order
/// </summary>
/// <exception cref="InvalidOrderException">Thrown for each error in the order</exception>
private static void ValidateOrder(Order order)
{
if (order.UserId <= 0)
throw new InvalidOrderException("System Error : Order is missing user id");
if (order.OrderDate == DateTime.MinValue)
throw new InvalidOrderException("Sytem Error : Order has invalid order date");
if (order.OrderItemList.Count == 0)
throw new InvalidOrderException("Order does not contain any assets");
foreach (OrderItem orderItem in order.OrderItemList)
{
if (orderItem.CreateDate == DateTime.MinValue)
throw new InvalidOrderException("System Error : Order item has invalid date");
if (orderItem.AssetId <= 0)
throw new InvalidOrderException("System Error : Order item is missing asset id");
}
}
/// <summary>
/// Validates the cart to ensure it is ready for ordering
/// </summary>
private static void ValidateCart(IEnumerable<Cart> cartItems, User user)
{
int availableCount = cartItems.Count(cartItem => AssetManager.GetAssetStatusForUser(cartItem.Asset, user) == AssetStatus.Available);
if (availableCount == 0)
throw new InvalidOrderException("Cart does not contain any available assets");
if (cartItems.Any(cartItem => cartItem.RequiredByDate.HasValue && cartItem.RequiredByDate.Value < DateTime.Now.Date))
throw new InvalidOrderException("Required by date cannot be before today. Please leave blank or choose new date.");
if ((from cartItem in cartItems
let asset = cartItem.Asset
let isAvailable = (AssetManager.GetAssetStatusForUser(asset, user) == AssetStatus.Available)
let isRestricted = EntitySecurityManager.IsAssetRestricted(user, asset)
where isAvailable && isRestricted && StringUtils.IsBlank(cartItem.Notes)
select cartItem).Any())
{
throw new InvalidOrderException("Assets requiring approval must have usage notes specified.");
}
}
#endregion
}
} | 35.652778 | 270 | 0.715076 | [
"MIT"
] | MatfRS2/SeminarskiRadovi | programski-projekti/Matf-RS2-FocusOpen/FocusOPEN_OS_Source_3_3_9_5/FocusOPEN.Business/Managers/Entity/OrderManager.cs | 12,835 | C# |
using System.IO;
using System.Threading.Tasks;
namespace Baseline
{
public static class StreamExtensions
{
/// <summary>
/// Read the contents of a Stream from its current location
/// into a String
/// </summary>
/// <param name="stream"></param>
/// <returns></returns>
public static string ReadAllText(this Stream stream)
{
var reader = new StreamReader(stream);
return reader.ReadToEnd();
}
/// <summary>
/// Read all the bytes in a Stream from its current
/// location to a byte[] array
/// </summary>
/// <param name="stream"></param>
/// <returns></returns>
public static byte[] ReadAllBytes(this Stream stream)
{
using (var content = new MemoryStream())
{
var buffer = new byte[4096];
int read = stream.Read(buffer, 0, 4096);
while (read > 0)
{
content.Write(buffer, 0, read);
read = stream.Read(buffer, 0, 4096);
}
return content.ToArray();
}
}
/// <summary>
/// Asynchronously read the contents of a Stream from its current location
/// into a String
/// </summary>
/// <param name="stream"></param>
/// <returns></returns>
public static Task<string> ReadAllTextAsync(this Stream stream)
{
var reader = new StreamReader(stream);
return reader.ReadToEndAsync();
}
/// <summary>
/// Asynchronously read all the bytes in a Stream from its current
/// location to a byte[] array
/// </summary>
/// <param name="stream"></param>
/// <returns></returns>
public static async Task<byte[]> ReadAllBytesAsync(this Stream stream)
{
using (var content = new MemoryStream())
{
var buffer = new byte[4096];
int read = await stream.ReadAsync(buffer, 0, 4096).ConfigureAwait(false);
while (read > 0)
{
content.Write(buffer, 0, read);
read = await stream.ReadAsync(buffer, 0, 4096).ConfigureAwait(false);
}
return content.ToArray();
}
}
}
} | 28.6125 | 89 | 0.531236 | [
"Apache-2.0"
] | JasperFx/Baseline | src/Baseline/StreamExtensions.cs | 2,291 | C# |
using CoreHal.Reader.Loading;
using System.Collections.Generic;
using System.Text.Json;
using Validation;
namespace CoreHal.Reader.Json.Microsoft
{
public class JsonLoader : IHalResponseLoader
{
public JsonSerializerOptions JsonSerializerOptions { get; private set; }
public JsonLoader()
{
JsonSerializerOptions = new JsonSerializerOptions
{
WriteIndented = true
};
JsonSerializerOptions.Converters.Add(new HalResponseConvertor());
}
public JsonLoader(JsonSerializerOptions jsonSerializerOptions)
{
Requires.NotNull(jsonSerializerOptions, nameof(jsonSerializerOptions));
JsonSerializerOptions = jsonSerializerOptions;
JsonSerializerOptions.Converters.Add(new HalResponseConvertor());
}
public IDictionary<string, object> Load(string rawResponse)
{
Requires.NotNull(rawResponse, nameof(rawResponse));
IDictionary<string, object> result;
if (string.IsNullOrEmpty(rawResponse))
{
result = new Dictionary<string, object>();
}
else
{
result =
JsonSerializer.Deserialize<IDictionary<string, object>>(
rawResponse, this.JsonSerializerOptions);
}
return result;
}
}
} | 28.372549 | 83 | 0.600553 | [
"MIT"
] | AndyBrennan1/CoreHal.Reader.Json.Microsoft | src/CoreHal.Reader.Json.Microsoft/JsonLoader.cs | 1,449 | C# |
// Licensed to the .NET Foundation under one or more agreements.
// The .NET Foundation licenses this file to you under the MIT license.
// See the LICENSE file in the project root for more information.
using System;
using System.Collections.Generic;
using System.Diagnostics;
using EmitContext = Microsoft.CodeAnalysis.Emit.EmitContext;
using Microsoft.CodeAnalysis.Emit;
namespace Microsoft.Cci
{
internal abstract class ReferenceIndexerBase : MetadataVisitor
{
private readonly HashSet<IReference> _alreadySeen = new HashSet<IReference>(MetadataEntityReferenceComparer.ConsiderEverything);
private readonly HashSet<IReference> _alreadyHasToken = new HashSet<IReference>(MetadataEntityReferenceComparer.ConsiderEverything);
protected bool typeReferenceNeedsToken;
internal ReferenceIndexerBase(EmitContext context)
: base(context)
{
}
public override void Visit(IAssemblyReference assemblyReference)
{
if (assemblyReference != Context.Module.GetContainingAssembly(Context))
{
RecordAssemblyReference(assemblyReference);
}
}
protected abstract void RecordAssemblyReference(IAssemblyReference assemblyReference);
public override void Visit(ICustomModifier customModifier)
{
this.typeReferenceNeedsToken = true;
this.Visit(customModifier.GetModifier(Context));
}
public override void Visit(IEventDefinition eventDefinition)
{
this.typeReferenceNeedsToken = true;
this.Visit(eventDefinition.GetType(Context));
Debug.Assert(!this.typeReferenceNeedsToken);
}
public override void Visit(IFieldReference fieldReference)
{
if (!_alreadySeen.Add(fieldReference))
{
return;
}
IUnitReference definingUnit = MetadataWriter.GetDefiningUnitReference(fieldReference.GetContainingType(Context), Context);
if (definingUnit != null && ReferenceEquals(definingUnit, Context.Module))
{
return;
}
this.Visit((ITypeMemberReference)fieldReference);
this.Visit(fieldReference.GetType(Context));
ReserveFieldToken(fieldReference);
}
protected abstract void ReserveFieldToken(IFieldReference fieldReference);
public override void Visit(IFileReference fileReference)
{
RecordFileReference(fileReference);
}
protected abstract void RecordFileReference(IFileReference fileReference);
public override void Visit(IGenericMethodInstanceReference genericMethodInstanceReference)
{
this.Visit(genericMethodInstanceReference.GetGenericArguments(Context));
this.Visit(genericMethodInstanceReference.GetGenericMethod(Context));
}
public override void Visit(IGenericParameter genericParameter)
{
this.Visit(genericParameter.GetAttributes(Context));
this.VisitTypeReferencesThatNeedTokens(genericParameter.GetConstraints(Context));
}
public override void Visit(IGenericTypeInstanceReference genericTypeInstanceReference)
{
// ^ ensures this.path.Count == old(this.path.Count);
INestedTypeReference nestedType = genericTypeInstanceReference.AsNestedTypeReference;
if (nestedType != null)
{
ITypeReference containingType = nestedType.GetContainingType(Context);
if (containingType.AsGenericTypeInstanceReference != null ||
containingType.AsSpecializedNestedTypeReference != null)
{
this.Visit(nestedType.GetContainingType(Context));
}
}
this.Visit(genericTypeInstanceReference.GetGenericType(Context));
this.Visit(genericTypeInstanceReference.GetGenericArguments(Context));
}
public override void Visit(IMarshallingInformation marshallingInformation)
{
// The type references in the marshalling information do not end up in tables, but are serialized as strings.
}
public override void Visit(IMethodDefinition method)
{
base.Visit(method);
ProcessMethodBody(method);
}
protected abstract void ProcessMethodBody(IMethodDefinition method);
public override void Visit(IMethodReference methodReference)
{
IGenericMethodInstanceReference genericMethodInstanceReference = methodReference.AsGenericMethodInstanceReference;
if (genericMethodInstanceReference != null)
{
this.Visit(genericMethodInstanceReference);
return;
}
if (!_alreadySeen.Add(methodReference))
{
return;
}
// If we have a ref to a varargs method then we always generate an entry in the MethodRef table,
// even if it is a method in the current module. (Note that we are not *required* to do so if
// in fact the number of extra arguments passed is zero; in that case we are permitted to use
// an ordinary method def token. We consistently choose to emit a method ref regardless.)
IUnitReference definingUnit = MetadataWriter.GetDefiningUnitReference(methodReference.GetContainingType(Context), Context);
if (definingUnit != null && ReferenceEquals(definingUnit, Context.Module) && !methodReference.AcceptsExtraArguments)
{
return;
}
this.Visit((ITypeMemberReference)methodReference);
VisitSignature(methodReference.AsSpecializedMethodReference?.UnspecializedVersion ?? methodReference);
if (methodReference.AcceptsExtraArguments)
{
this.Visit(methodReference.ExtraParameters);
}
ReserveMethodToken(methodReference);
}
public void VisitSignature(ISignature signature)
{
this.Visit(signature.GetType(Context));
this.Visit(signature.GetParameters(Context));
this.Visit(signature.RefCustomModifiers);
this.Visit(signature.ReturnValueCustomModifiers);
}
protected abstract void ReserveMethodToken(IMethodReference methodReference);
public override abstract void Visit(CommonPEModuleBuilder module);
public override void Visit(IModuleReference moduleReference)
{
if (moduleReference != Context.Module)
{
RecordModuleReference(moduleReference);
}
}
protected abstract void RecordModuleReference(IModuleReference moduleReference);
public override abstract void Visit(IPlatformInvokeInformation platformInvokeInformation);
public override void Visit(INamespaceTypeReference namespaceTypeReference)
{
if (!this.typeReferenceNeedsToken && namespaceTypeReference.TypeCode != PrimitiveTypeCode.NotPrimitive)
{
return;
}
RecordTypeReference(namespaceTypeReference);
var unit = namespaceTypeReference.GetUnit(Context);
var assemblyReference = unit as IAssemblyReference;
if (assemblyReference != null)
{
this.Visit(assemblyReference);
}
else
{
var moduleReference = unit as IModuleReference;
if (moduleReference != null)
{
// If this is a module from a referenced multi-module assembly,
// the assembly should be used as the resolution scope.
assemblyReference = moduleReference.GetContainingAssembly(Context);
if (assemblyReference != null && assemblyReference != Context.Module.GetContainingAssembly(Context))
{
this.Visit(assemblyReference);
}
else
{
this.Visit(moduleReference);
}
}
}
}
protected abstract void RecordTypeReference(ITypeReference typeReference);
public override void Visit(INestedTypeReference nestedTypeReference)
{
if (!this.typeReferenceNeedsToken && nestedTypeReference.AsSpecializedNestedTypeReference != null)
{
return;
}
RecordTypeReference(nestedTypeReference);
}
public override void Visit(IPropertyDefinition propertyDefinition)
{
this.Visit(propertyDefinition.Parameters);
}
public override void Visit(ManagedResource resourceReference)
{
this.Visit(resourceReference.Attributes);
IFileReference file = resourceReference.ExternalFile;
if (file != null)
{
this.Visit(file);
}
}
public override void Visit(SecurityAttribute securityAttribute)
{
this.Visit(securityAttribute.Attribute);
}
public void VisitTypeDefinitionNoMembers(ITypeDefinition typeDefinition)
{
this.Visit(typeDefinition.GetAttributes(Context));
var baseType = typeDefinition.GetBaseClass(Context);
if (baseType != null)
{
this.typeReferenceNeedsToken = true;
this.Visit(baseType);
Debug.Assert(!this.typeReferenceNeedsToken);
}
this.Visit(typeDefinition.GetExplicitImplementationOverrides(Context));
if (typeDefinition.HasDeclarativeSecurity)
{
this.Visit(typeDefinition.SecurityAttributes);
}
this.VisitTypeReferencesThatNeedTokens(typeDefinition.Interfaces(Context));
if (typeDefinition.IsGeneric)
{
this.Visit(typeDefinition.GenericParameters);
}
}
public override void Visit(ITypeDefinition typeDefinition)
{
VisitTypeDefinitionNoMembers(typeDefinition);
this.Visit(typeDefinition.GetEvents(Context));
this.Visit(typeDefinition.GetFields(Context));
this.Visit(typeDefinition.GetMethods(Context));
this.VisitNestedTypes(typeDefinition.GetNestedTypes(Context));
this.Visit(typeDefinition.GetProperties(Context));
}
public void VisitTypeReferencesThatNeedTokens(IEnumerable<TypeReferenceWithAttributes> refsWithAttributes)
{
foreach (var refWithAttributes in refsWithAttributes)
{
this.Visit(refWithAttributes.Attributes);
VisitTypeReferencesThatNeedTokens(refWithAttributes.TypeRef);
}
}
private void VisitTypeReferencesThatNeedTokens(ITypeReference typeReference)
{
this.typeReferenceNeedsToken = true;
this.Visit(typeReference);
Debug.Assert(!this.typeReferenceNeedsToken);
}
public override void Visit(ITypeMemberReference typeMemberReference)
{
RecordTypeMemberReference(typeMemberReference);
//This code was in CCI, but appears wrong to me. There is no need to visit attributes of members that are
//being referenced, only those being defined. This code causes additional spurious typerefs and memberrefs to be
//emitted. If the attributes can't be resolved, it causes a NullReference.
//
//if ((typeMemberReference.AsDefinition(Context) == null))
//{
// this.Visit(typeMemberReference.GetAttributes(Context));
//}
this.typeReferenceNeedsToken = true;
this.Visit(typeMemberReference.GetContainingType(Context));
Debug.Assert(!this.typeReferenceNeedsToken);
}
protected abstract void RecordTypeMemberReference(ITypeMemberReference typeMemberReference);
// Array and pointer types might cause deep recursions; visit them iteratively
// rather than recursively.
public override void Visit(IArrayTypeReference arrayTypeReference)
{
// We don't visit the current array type; it has already been visited.
// We go straight to the element type and visit it.
ITypeReference current = arrayTypeReference.GetElementType(Context);
while (true)
{
bool mustVisitChildren = VisitTypeReference(current);
if (!mustVisitChildren)
{
return;
}
else if (current is IArrayTypeReference)
{
// The element type is itself an array type, and we must visit *its* element type.
// Iterate rather than recursing.
current = ((IArrayTypeReference)current).GetElementType(Context);
continue;
}
else
{
// The element type is not an array type and we must visit its children.
// Dispatch the type in order to visit its children.
DispatchAsReference(current);
return;
}
}
}
// Array and pointer types might cause deep recursions; visit them iteratively
// rather than recursively.
public override void Visit(IPointerTypeReference pointerTypeReference)
{
// We don't visit the current pointer type; it has already been visited.
// We go straight to the target type and visit it.
ITypeReference current = pointerTypeReference.GetTargetType(Context);
while (true)
{
bool mustVisitChildren = VisitTypeReference(current);
if (!mustVisitChildren)
{
return;
}
else if (current is IPointerTypeReference)
{
// The target type is itself a pointer type, and we must visit *its* target type.
// Iterate rather than recursing.
current = ((IPointerTypeReference)current).GetTargetType(Context);
continue;
}
else
{
// The target type is not a pointer type and we must visit its children.
// Dispatch the type in order to visit its children.
DispatchAsReference(current);
return;
}
}
}
public override void Visit(ITypeReference typeReference)
{
if (VisitTypeReference(typeReference))
{
DispatchAsReference(typeReference);
}
}
// Returns true if we need to look at the children, false otherwise.
private bool VisitTypeReference(ITypeReference typeReference)
{
if (!_alreadySeen.Add(typeReference))
{
if (!this.typeReferenceNeedsToken)
{
return false;
}
this.typeReferenceNeedsToken = false;
if (!_alreadyHasToken.Add(typeReference))
{
return false;
}
RecordTypeReference(typeReference);
return false;
}
INestedTypeReference/*?*/ nestedTypeReference = typeReference.AsNestedTypeReference;
if (this.typeReferenceNeedsToken || nestedTypeReference != null ||
(typeReference.TypeCode == PrimitiveTypeCode.NotPrimitive && typeReference.AsNamespaceTypeReference != null))
{
ISpecializedNestedTypeReference/*?*/ specializedNestedTypeReference = nestedTypeReference?.AsSpecializedNestedTypeReference;
if (specializedNestedTypeReference != null)
{
INestedTypeReference unspecializedNestedTypeReference = specializedNestedTypeReference.GetUnspecializedVersion(Context);
if (_alreadyHasToken.Add(unspecializedNestedTypeReference))
{
RecordTypeReference(unspecializedNestedTypeReference);
}
}
if (this.typeReferenceNeedsToken && _alreadyHasToken.Add(typeReference))
{
RecordTypeReference(typeReference);
}
if (nestedTypeReference != null)
{
this.typeReferenceNeedsToken = (typeReference.AsSpecializedNestedTypeReference == null);
this.Visit(nestedTypeReference.GetContainingType(Context));
}
}
//This code was in CCI, but appears wrong to me. There is no need to visit attributes of types that are
//being referenced, only those being defined. This code causes additional spurious typerefs and memberrefs to be
//emitted. If the attributes can't be resolved, it causes a NullReference.
//
//if ((typeReference.AsTypeDefinition(Context) == null))
//{
// this.Visit(typeReference.GetAttributes(Context));
//}
this.typeReferenceNeedsToken = false;
return true;
}
}
}
| 39.218062 | 140 | 0.60702 | [
"MIT"
] | 06needhamt/roslyn | src/Compilers/Core/Portable/PEWriter/ReferenceIndexerBase.cs | 17,807 | C# |
namespace ECommerce.Services.Catalogs.Products.Dtos;
public record ProductImageDto
{
public long Id { get; init; }
public string ImageUrl { get; init; } = default!;
public bool IsMain { get; init; }
public long ProductId { get; init; }
}
| 25.5 | 53 | 0.686275 | [
"MIT"
] | BuiTanLan/ecommerce-microservices | src/Services/ECommerce.Services.Catalogs/ECommerce.Services.Catalogs/Products/Dtos/ProductImageDto.cs | 255 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace Snowlight.Game.Spaces
{
public enum SpaceModelType
{
Island,
Area
}
}
| 14 | 33 | 0.673469 | [
"MIT"
] | DaLoE99/Servidores-DaLoE | 3/BoomBang/Game/Spaces/SpaceModelType.cs | 198 | C# |
using NGeoNames.Entities;
namespace NGeoNames.Parsers
{
/// <summary>
/// Provides methods for parsing an <see cref="Admin1Code"/> object from a string-array.
/// </summary>
public class Admin1CodeParser : BaseParser<Admin1Code>
{
/// <summary>
/// Gets wether the file/stream has (or is expected to have) comments (lines starting with "#").
/// </summary>
public override bool HasComments
{
get { return false; }
}
/// <summary>
/// Gets the number of lines to skip when parsing the file/stream (e.g. 'headers' etc.).
/// </summary>
public override int SkipLines
{
get { return 0; }
}
/// <summary>
/// Gets the number of fields the file/stream is expected to have; anything else will cause a <see cref="ParserException"/>.
/// </summary>
public override int ExpectedNumberOfFields
{
get { return 4; }
}
/// <summary>
/// Parses the specified data into an <see cref="Admin1Code"/> object.
/// </summary>
/// <param name="fields">The fields/data representing an <see cref="Admin1Code"/> to parse.</param>
/// <returns>Returns a new <see cref="Admin1Code"/> object.</returns>
public override Admin1Code Parse(string[] fields)
{
return new Admin1Code
{
Code = fields[0],
Name = fields[1],
NameASCII = fields[2],
GeoNameId = int.Parse(fields[3])
};
}
}
}
| 31.862745 | 132 | 0.538462 | [
"MIT"
] | fleetcomplete/NGeoNames | NGeoNames.Pcl/Parsers/Admin1CodeParser.cs | 1,627 | C# |
#if UNITY_4_0 || UNITY_4_0_1 || UNITY_4_2 || UNITY_4_3 || UNITY_4_5 || UNITY_4_6 || UNITY_4_7
#define T2U_IS_UNITY_4
#endif
#if !UNITY_WEBPLAYER
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Text;
using System.Xml.Linq;
using UnityEngine;
using UnityEditor;
namespace Tiled2Unity
{
partial class ImportTiled2Unity
{
public void PrefabImported(string prefabPath)
{
// Find the import behaviour that was waiting on this prefab to be imported
string asset = System.IO.Path.GetFileName(prefabPath);
ImportBehaviour importComponent = ImportBehaviour.FindImportBehavior_ByWaitingPrefab(asset);
if (importComponent != null)
{
// The prefab has finished loading. Keep track of that status.
if (!importComponent.ImportComplete_Prefabs.Contains(asset))
{
importComponent.ImportComplete_Prefabs.Add(asset);
}
// Are we done importing all Prefabs? If so then we have completed the import process.
if (importComponent.IsPrefabImportingCompleted())
{
importComponent.ReportPrefabImport(prefabPath);
importComponent.DestroyImportBehaviour();
}
}
}
private void ImportAllPrefabs(Tiled2Unity.ImportBehaviour importComponent, string objPath)
{
foreach (var xmlPrefab in importComponent.XmlDocument.Root.Elements("Prefab"))
{
CreatePrefab(xmlPrefab, objPath, importComponent);
}
}
private void CreatePrefab(XElement xmlPrefab, string objPath, Tiled2Unity.ImportBehaviour importComponent)
{
var customImporters = GetCustomImporterInstances(importComponent);
// Part 1: Create the prefab
string prefabName = xmlPrefab.Attribute("name").Value;
float prefabScale = ImportUtils.GetAttributeAsFloat(xmlPrefab, "scale", 1.0f);
GameObject tempPrefab = new GameObject(prefabName);
HandleTiledAttributes(tempPrefab, xmlPrefab, importComponent);
HandleCustomProperties(tempPrefab, xmlPrefab, customImporters);
// Part 2: Build out the prefab
// We may have an 'isTrigger' attribute that we want our children to obey
bool isTrigger = ImportUtils.GetAttributeAsBoolean(xmlPrefab, "isTrigger", false);
AddGameObjectsTo(tempPrefab, xmlPrefab, isTrigger, objPath, importComponent, customImporters);
// Part 3: Allow for customization from other editor scripts to be made on the prefab
// (These are generally for game-specific needs)
CustomizePrefab(tempPrefab, customImporters);
// Part 3.5: Apply the scale only after all children have been added
tempPrefab.transform.localScale = new Vector3(prefabScale, prefabScale, prefabScale);
// Part 4: Save the prefab, keeping references intact.
string resourcePath = ImportUtils.GetAttributeAsString(xmlPrefab, "resourcePath", "");
bool isResource = !String.IsNullOrEmpty(resourcePath) || ImportUtils.GetAttributeAsBoolean(xmlPrefab, "resource", false);
string prefabPath = GetPrefabAssetPath(prefabName, isResource, resourcePath);
string prefabFile = System.IO.Path.GetFileName(prefabPath);
// Keep track of the prefab file being imported
if (!importComponent.ImportWait_Prefabs.Contains(prefabFile))
{
importComponent.ImportWait_Prefabs.Add(prefabFile);
importComponent.ImportingAssets.Add(prefabPath);
}
UnityEngine.Object finalPrefab = AssetDatabase.LoadAssetAtPath(prefabPath, typeof(GameObject));
if (finalPrefab == null)
{
// The prefab needs to be created
ImportUtils.ReadyToWrite(prefabPath);
finalPrefab = PrefabUtility.CreateEmptyPrefab(prefabPath);
}
// Replace the prefab, keeping connections based on name. This imports the prefab asset as a side-effect.
PrefabUtility.ReplacePrefab(tempPrefab, finalPrefab, ReplacePrefabOptions.ReplaceNameBased);
// Destroy the instance from the current scene hiearchy.
UnityEngine.Object.DestroyImmediate(tempPrefab);
}
private void AddGameObjectsTo(GameObject parent, XElement xml, bool isParentTrigger, string objPath, ImportBehaviour importComponent, IList<ICustomTiledImporter> customImporters)
{
foreach (XElement goXml in xml.Elements("GameObject"))
{
string name = ImportUtils.GetAttributeAsString(goXml, "name", "");
string copyFrom = ImportUtils.GetAttributeAsString(goXml, "copy", "");
GameObject child = null;
if (!String.IsNullOrEmpty(copyFrom))
{
float opacity = ImportUtils.GetAttributeAsFloat(goXml, "opacity", 1);
child = CreateCopyFromMeshObj(copyFrom, objPath, opacity, importComponent);
if (child == null)
{
// We're in trouble. Errors should already be in the log.
return;
}
// Apply the sorting to the renderer of the mesh object we just copied into the child
Renderer renderer = child.GetComponent<Renderer>();
string sortingLayer = ImportUtils.GetAttributeAsString(goXml, "sortingLayerName", "");
if (!String.IsNullOrEmpty(sortingLayer) && !SortingLayerExposedEditor.GetSortingLayerNames().Contains(sortingLayer))
{
importComponent.RecordError("Sorting Layer \"{0}\" does not exist. Check your Project Settings -> Tags and Layers", sortingLayer);
renderer.sortingLayerName = "Default";
}
else
{
renderer.sortingLayerName = sortingLayer;
}
// Set the sorting order
renderer.sortingOrder = ImportUtils.GetAttributeAsInt(goXml, "sortingOrder", 0);
}
else
{
child = new GameObject();
}
if (!String.IsNullOrEmpty(name))
{
child.name = name;
}
// Assign the child to the parent
child.transform.parent = parent.transform;
// Set the position
float x = ImportUtils.GetAttributeAsFloat(goXml, "x", 0);
float y = ImportUtils.GetAttributeAsFloat(goXml, "y", 0);
float z = ImportUtils.GetAttributeAsFloat(goXml, "z", 0);
child.transform.localPosition = new Vector3(x, y, z);
// Add any tile objects
AddTileObjectComponentsTo(child, goXml);
// Add any tile animators
AddTileAnimatorsTo(child, goXml);
// Do we have any collision data?
// Check if we are setting 'isTrigger' for ourselves or for our childen
bool isTrigger = ImportUtils.GetAttributeAsBoolean(goXml, "isTrigger", isParentTrigger);
AddCollidersTo(child, isTrigger, goXml);
// Do we have any children of our own?
AddGameObjectsTo(child, goXml, isTrigger, objPath, importComponent, customImporters);
// Does this game object have a tag?
AssignTagTo(child, goXml, importComponent);
// Does this game object have a layer?
AssignLayerTo(child, goXml, importComponent);
// Are there any custom properties?
HandleCustomProperties(child, goXml, customImporters);
// Set scale and rotation *after* children are added otherwise Unity will have child+parent transform cancel each other out
float sx = ImportUtils.GetAttributeAsFloat(goXml, "scaleX", 1.0f);
float sy = ImportUtils.GetAttributeAsFloat(goXml, "scaleY", 1.0f);
child.transform.localScale = new Vector3(sx, sy, 1.0f);
// Set the rotation
// Use negative rotation on the z component because of change in coordinate systems between Tiled and Unity
Vector3 localRotation = new Vector3();
localRotation.z = -ImportUtils.GetAttributeAsFloat(goXml, "rotation", 0);
child.transform.eulerAngles = localRotation;
}
}
private void AssignLayerTo(GameObject gameObject, XElement xml, ImportBehaviour importComponent)
{
string layerName = ImportUtils.GetAttributeAsString(xml, "layer", "");
if (String.IsNullOrEmpty(layerName))
return;
int layerId = LayerMask.NameToLayer(layerName);
if (layerId == -1)
{
importComponent.RecordError("Layer '{0}' is not defined for '{1}'. Check project settings in Edit->Project Settings->Tags & Layers", layerName, GetFullGameObjectName(gameObject.transform));
return;
}
// Set the layer on ourselves (and our children)
AssignLayerIdTo(gameObject, layerId);
}
private void AssignLayerIdTo(GameObject gameObject, int layerId)
{
if (gameObject == null)
return;
gameObject.layer = layerId;
foreach (Transform child in gameObject.transform)
{
if (child.gameObject == null)
continue;
// Do not set the layerId on a child that has already had his layerId explicitly set
if (child.gameObject.layer != 0)
continue;
AssignLayerIdTo(child.gameObject, layerId);
}
}
private void AssignTagTo(GameObject gameObject, XElement xml, ImportBehaviour importComponent)
{
string tag = ImportUtils.GetAttributeAsString(xml, "tag", "");
if (String.IsNullOrEmpty(tag))
return;
// Let the user know if the tag doesn't exist in our project sttings
try
{
gameObject.tag = tag;
}
catch (UnityException)
{
importComponent.RecordError("Tag '{0}' is not defined for '{1}'. Check project settings in Edit->Project Settings->Tags & Layers", tag, GetFullGameObjectName(gameObject.transform));
}
}
private string GetFullGameObjectName(Transform xform)
{
if (xform == null)
return "";
string parentName = GetFullGameObjectName(xform.parent);
if (String.IsNullOrEmpty(parentName))
return xform.name;
return String.Format("{0}/{1}", parentName, xform.name);
}
private void AddCollidersTo(GameObject gameObject, bool isTrigger, XElement xml)
{
// Box colliders
foreach (XElement xmlBoxCollider2D in xml.Elements("BoxCollider2D"))
{
BoxCollider2D collider = gameObject.AddComponent<BoxCollider2D>();
collider.isTrigger = isTrigger;
float width = ImportUtils.GetAttributeAsFloat(xmlBoxCollider2D, "width");
float height = ImportUtils.GetAttributeAsFloat(xmlBoxCollider2D, "height");
collider.size = new Vector2(width, height);
#if T2U_IS_UNITY_4
collider.center = new Vector2(width * 0.5f, -height * 0.5f);
#else
collider.offset = new Vector2(width * 0.5f, -height * 0.5f);
#endif
// Apply the offsets (if any)
float offset_x = ImportUtils.GetAttributeAsFloat(xmlBoxCollider2D, "offsetX", 0);
float offset_y = ImportUtils.GetAttributeAsFloat(xmlBoxCollider2D, "offsetY", 0);
#if T2U_IS_UNITY_4
collider.center += new Vector2(offset_x, offset_y);
#else
collider.offset += new Vector2(offset_x, offset_y);
#endif
}
// Circle colliders
foreach (XElement xmlCircleCollider2D in xml.Elements("CircleCollider2D"))
{
CircleCollider2D collider = gameObject.AddComponent<CircleCollider2D>();
collider.isTrigger = isTrigger;
float radius = ImportUtils.GetAttributeAsFloat(xmlCircleCollider2D, "radius");
collider.radius = radius;
#if T2U_IS_UNITY_4
collider.center = new Vector2(radius, -radius);
#else
collider.offset = new Vector2(radius, -radius);
#endif
// Apply the offsets (if any)
float offset_x = ImportUtils.GetAttributeAsFloat(xmlCircleCollider2D, "offsetX", 0);
float offset_y = ImportUtils.GetAttributeAsFloat(xmlCircleCollider2D, "offsetY", 0);
#if T2U_IS_UNITY_4
collider.center += new Vector2(offset_x, offset_y);
#else
collider.offset += new Vector2(offset_x, offset_y);
#endif
}
// Edge colliders
foreach (XElement xmlEdgeCollider2D in xml.Elements("EdgeCollider2D"))
{
EdgeCollider2D collider = gameObject.AddComponent<EdgeCollider2D>();
collider.isTrigger = isTrigger;
string data = xmlEdgeCollider2D.Element("Points").Value;
// The data looks like this:
// x0,y0 x1,y1 x2,y2 ...
var points = from pt in data.Split(' ')
let x = Convert.ToSingle(pt.Split(',')[0])
let y = Convert.ToSingle(pt.Split(',')[1])
select new Vector2(x, y);
collider.points = points.ToArray();
// Apply the offsets (if any)
float offset_x = ImportUtils.GetAttributeAsFloat(xmlEdgeCollider2D, "offsetX", 0);
float offset_y = ImportUtils.GetAttributeAsFloat(xmlEdgeCollider2D, "offsetY", 0);
#if T2U_IS_UNITY_4
// This is kind of a hack for Unity 4.x which doesn't support offset/center on the edge collider
var offsetPoints = from pt in points
select new Vector2(pt.x + offset_x, pt.y + offset_y);
collider.points = offsetPoints.ToArray();
#else
collider.offset += new Vector2(offset_x, offset_y);
#endif
}
// Polygon colliders
foreach (XElement xmlPolygonCollider2D in xml.Elements("PolygonCollider2D"))
{
PolygonCollider2D collider = gameObject.AddComponent<PolygonCollider2D>();
collider.isTrigger = isTrigger;
// Apply the offsets (if any)
float offset_x = ImportUtils.GetAttributeAsFloat(xmlPolygonCollider2D, "offsetX", 0);
float offset_y = ImportUtils.GetAttributeAsFloat(xmlPolygonCollider2D, "offsetY", 0);
var paths = xmlPolygonCollider2D.Elements("Path").ToArray();
collider.pathCount = paths.Count();
for (int p = 0; p < collider.pathCount; ++p)
{
string data = paths[p].Value;
// The data looks like this:
// x0,y0 x1,y1 x2,y2 ...
var points = from pt in data.Split(' ')
let x = Convert.ToSingle(pt.Split(',')[0])
let y = Convert.ToSingle(pt.Split(',')[1])
#if T2U_IS_UNITY_4
// Hack for Unity 4.x
select new Vector2(x + offset_x, y + offset_y);
#else
select new Vector2(x, y);
#endif
collider.SetPath(p, points.ToArray());
}
#if !T2U_IS_UNITY_4
collider.offset += new Vector2(offset_x, offset_y);
#endif
}
}
private GameObject CreateCopyFromMeshObj(string copyFromName, string objPath, float opacity, ImportBehaviour importComponent)
{
// Find a matching game object within the mesh object and "copy" it
// (In Unity terms, the Instantiated object is a copy)
UnityEngine.Object[] objects = AssetDatabase.LoadAllAssetsAtPath(objPath);
foreach (var obj in objects)
{
if (obj.name != copyFromName)
continue;
// We have a match but is it a game object?
GameObject gameObj = GameObject.Instantiate(obj) as GameObject;
if (gameObj == null)
continue;
// Add a component that will control our initial shader properties
TiledInitialShaderProperties shaderProps = gameObj.AddComponent<TiledInitialShaderProperties>();
shaderProps.InitialOpacity = opacity;
// Reset the name so it is not decorated by the Instantiate call
gameObj.name = obj.name;
return gameObj;
}
// If we're here then there's an error with the mesh name
importComponent.RecordError("No mesh named '{0}' to copy from.\nXml File: {1}\nObject: {2}", copyFromName, importComponent.Tiled2UnityXmlPath, objPath);
return null;
}
private void AddTileObjectComponentsTo(GameObject gameObject, XElement goXml)
{
var tileXml = goXml.Element("TileObjectComponent");
if (tileXml != null)
{
TileObject tileObject = gameObject.AddComponent<TileObject>();
tileObject.TileWidth = ImportUtils.GetAttributeAsFloat(tileXml, "width");
tileObject.TileHeight = ImportUtils.GetAttributeAsFloat(tileXml, "height");
}
}
private void AddTileAnimatorsTo(GameObject gameObject, XElement goXml)
{
// This object will only visible for a given moment of time within an animation
var animXml = goXml.Element("TileAnimator");
if (animXml != null)
{
TileAnimator tileAnimator = gameObject.AddComponent<TileAnimator>();
tileAnimator.StartTime = ImportUtils.GetAttributeAsInt(animXml, "startTimeMs") * 0.001f;
tileAnimator.Duration = ImportUtils.GetAttributeAsInt(animXml, "durationMs") * 0.001f;
tileAnimator.TotalAnimationTime = ImportUtils.GetAttributeAsInt(animXml, "fullTimeMs") * 0.001f;
}
}
private void HandleTiledAttributes(GameObject gameObject, XElement goXml, Tiled2Unity.ImportBehaviour importComponent)
{
// Add the TiledMap component
TiledMap map = gameObject.AddComponent<TiledMap>();
try
{
map.Orientation = ImportUtils.GetAttributeAsEnum<TiledMap.MapOrientation>(goXml, "orientation");
map.StaggerAxis = ImportUtils.GetAttributeAsEnum<TiledMap.MapStaggerAxis>(goXml, "staggerAxis");
map.StaggerIndex = ImportUtils.GetAttributeAsEnum<TiledMap.MapStaggerIndex>(goXml, "staggerIndex");
map.HexSideLength = ImportUtils.GetAttributeAsInt(goXml, "hexSideLength");
map.NumLayers = ImportUtils.GetAttributeAsInt(goXml, "numLayers");
map.NumTilesWide = ImportUtils.GetAttributeAsInt(goXml, "numTilesWide");
map.NumTilesHigh = ImportUtils.GetAttributeAsInt(goXml, "numTilesHigh");
map.TileWidth = ImportUtils.GetAttributeAsInt(goXml, "tileWidth");
map.TileHeight = ImportUtils.GetAttributeAsInt(goXml, "tileHeight");
map.ExportScale = ImportUtils.GetAttributeAsFloat(goXml, "exportScale");
map.MapWidthInPixels = ImportUtils.GetAttributeAsInt(goXml, "mapWidthInPixels");
map.MapHeightInPixels = ImportUtils.GetAttributeAsInt(goXml, "mapHeightInPixels");
}
catch
{
importComponent.RecordWarning("Couldn't add TiledMap component. Are you using an old version of Tiled2Unity in your Unity project?");
GameObject.DestroyImmediate(map);
}
}
private void HandleCustomProperties(GameObject gameObject, XElement goXml, IList<ICustomTiledImporter> importers)
{
var props = from p in goXml.Elements("Property")
select new { Name = p.Attribute("name").Value, Value = p.Attribute("value").Value };
if (props.Count() > 0)
{
var dictionary = props.OrderBy(p => p.Name).ToDictionary(p => p.Name, p => p.Value);
foreach (ICustomTiledImporter importer in importers)
{
importer.HandleCustomProperties(gameObject, dictionary);
}
}
}
private void CustomizePrefab(GameObject prefab, IList<ICustomTiledImporter> importers)
{
foreach (ICustomTiledImporter importer in importers)
{
importer.CustomizePrefab(prefab);
}
}
private IList<ICustomTiledImporter> GetCustomImporterInstances(ImportBehaviour importComponent)
{
// Report an error for ICustomTiledImporter classes that don't have the CustomTiledImporterAttribute
var errorTypes = from a in AppDomain.CurrentDomain.GetAssemblies()
from t in a.GetTypes()
where typeof(ICustomTiledImporter).IsAssignableFrom(t)
where !t.IsAbstract
where System.Attribute.GetCustomAttribute(t, typeof(CustomTiledImporterAttribute)) == null
select t;
foreach (var t in errorTypes)
{
importComponent.RecordError("ICustomTiledImporter type '{0}' is missing CustomTiledImporterAttribute", t);
}
// Find all the types with the CustomTiledImporterAttribute, instantiate them, and give them a chance to customize our prefab
var types = from a in AppDomain.CurrentDomain.GetAssemblies()
from t in a.GetTypes()
where typeof(ICustomTiledImporter).IsAssignableFrom(t)
where !t.IsAbstract
from attr in System.Attribute.GetCustomAttributes(t, typeof(CustomTiledImporterAttribute))
let custom = attr as CustomTiledImporterAttribute
orderby custom.Order
select t;
var instances = types.Select(t => (ICustomTiledImporter)Activator.CreateInstance(t));
return instances.ToList();
}
}
}
#endif | 45.801572 | 205 | 0.590229 | [
"MIT"
] | JackSteel97/GGJ2017 | GGJ17/Assets/Tiled2Unity/Scripts/Editor/ImportTiled2Unity.Prefab.cs | 23,315 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Summoners_War_Statistics
{
internal class Ranking
{
#region Singleton
private static Ranking instance = null;
public static Ranking Instance => instance ?? (instance = new Ranking());
#endregion
private Ranking()
{
}
#region Properties
private Dictionary<int, (Monster Mon, int Spd)> TopSpeed = new Dictionary<int, (Monster Mon, int Spd)>();
private Dictionary<int, (Monster Mon, int HP)> TopHP = new Dictionary<int, (Monster Mon, int HP)>();
private Dictionary<int, (Monster Mon, int DEF)> TopDEF = new Dictionary<int, (Monster Mon, int DEF)>();
private Dictionary<int, (Monster Mon, int ATK)> TopATK = new Dictionary<int, (Monster Mon, int ATK)>();
private Dictionary<int, (Monster Mon, int CDMG)> TopCDMG = new Dictionary<int, (Monster Mon, int CDMG)>();
private Dictionary<int, (Monster Mon, double Eff)> TopEff = new Dictionary<int, (Monster Mon, double Eff)>();
private Dictionary<int, (Monster Mon, double Points)> Top = new Dictionary<int, (Monster Mon, double Points)>();
#endregion
#region Methods
private void ResetRanking()
{
TopSpeed = new Dictionary<int, (Monster Mon, int Spd)>();
TopHP = new Dictionary<int, (Monster Mon, int HP)>();
TopDEF = new Dictionary<int, (Monster Mon, int DEF)>();
TopATK = new Dictionary<int, (Monster Mon, int ATK)>();
TopCDMG = new Dictionary<int, (Monster Mon, int CDMG)>();
TopEff = new Dictionary<int, (Monster Mon, double Eff)>();
Top = new Dictionary<int, (Monster Mon, double Points)>();
}
public void Create(List<Monster> monsters, bool force=false)
{
if (force && (TopATK.Count > 1 || TopCDMG.Count > 1 || TopDEF.Count > 1 || TopEff.Count > 1 || TopHP.Count > 1 || TopSpeed.Count > 1))
{
ResetRanking();
}
else if (TopATK.Count > 1 || TopCDMG.Count > 1 || TopDEF.Count > 1 || TopEff.Count > 1 || TopHP.Count > 1 || TopSpeed.Count > 1)
{
throw new RankingAlreadyExistsException("If you want to force new Ranking, please use \"force\" argument.");
}
if (monsters.Count < 1) { throw new InvalidJSONException(); }
Dictionary<int, (Monster Mon, int Spd)> topSpeed = new Dictionary<int, (Monster Mon, int Spd)>();
Dictionary<int, (Monster Mon, int HP)> topHP = new Dictionary<int, (Monster Mon, int HP)>();
Dictionary<int, (Monster Mon, int DEF)> topDEF = new Dictionary<int, (Monster Mon, int DEF)>();
Dictionary<int, (Monster Mon, int ATK)> topATK = new Dictionary<int, (Monster Mon, int ATK)>();
Dictionary<int, (Monster Mon, int CDMG)> topCDMG = new Dictionary<int, (Monster Mon, int CDMG)>();
Dictionary<int, (Monster Mon, double Eff)> topEff = new Dictionary<int, (Monster Mon, double Eff)>();
Dictionary<int, (Monster Mon, double Points)> top = new Dictionary<int, (Monster Mon, double Points)>();
for (int i = 1; i <= monsters.Count; i++)
{
Dictionary<string, byte> runesOfSpecificSet = new Dictionary<string, byte>();
foreach (Rune rune in monsters[i - 1].Runes)
{
string runeSetName = Mapping.Instance.GetRuneSet((int)rune.SetId);
if (runesOfSpecificSet.Keys.Contains(runeSetName))
{
runesOfSpecificSet[runeSetName]++;
}
else { runesOfSpecificSet.Add(runeSetName, 1); }
}
int baseSpd = (int)monsters[i - 1].Spd;
int spd = baseSpd;
int baseHp = (int)monsters[i - 1].Con * 15;
int hp = baseHp;
int baseDef = (int)monsters[i - 1].Def;
int def = baseDef;
int baseAtk = (int)monsters[i - 1].Atk;
int atk = baseAtk;
int cdmg = (int)monsters[i - 1].CriticalDamage;
double eff = 0.0;
foreach (Rune rune in monsters[i - 1].Runes)
{
string runeMainStatType = Mapping.Instance.GetRuneEffectType((int)rune.PriEff[0]);
string runeInnateStatType = Mapping.Instance.GetRuneInnateEffect(rune);
if (runeMainStatType == "SPD") { spd += (int)rune.PriEff[1]; }
else if(runeMainStatType == "HP flat") { hp += (int)rune.PriEff[1]; }
else if (runeMainStatType == "HP%") { hp += baseHp * (int)rune.PriEff[1] / 100; }
else if (runeMainStatType == "DEF flat") { def += (int)rune.PriEff[1]; }
else if (runeMainStatType == "DEF%") { def += baseDef * (int)rune.PriEff[1] / 100; }
else if (runeMainStatType == "ATK flat") { atk += (int)rune.PriEff[1]; }
else if (runeMainStatType == "ATK%") { atk += baseAtk * (int)rune.PriEff[1] / 100; }
else if (runeMainStatType == "CDmg") { cdmg += (int)rune.PriEff[1]; }
if (runeInnateStatType == "SPD") { spd += (int)rune.PrefixEff[1]; }
else if (runeInnateStatType == "HP flat") { hp += (int)rune.PrefixEff[1]; }
else if (runeInnateStatType == "HP%") { hp += baseHp * (int)rune.PrefixEff[1] / 100; }
else if (runeInnateStatType == "DEF flat") { def += (int)rune.PrefixEff[1]; }
else if (runeInnateStatType == "DEF%") { def += baseDef * (int)rune.PrefixEff[1] / 100; }
else if (runeInnateStatType == "ATK flat") { atk += (int)rune.PrefixEff[1]; }
else if (runeInnateStatType == "ATK%") { atk += baseAtk * (int)rune.PrefixEff[1] / 100; }
else if (runeInnateStatType == "CDmg") { cdmg += (int)rune.PrefixEff[1]; }
foreach (var substat in rune.SecEff)
{
string runeSubStatType = Mapping.Instance.GetRuneEffectType((int)substat[0]);
if (runeSubStatType == "SPD")
{
spd += (int)substat[1];
if (substat.Count > 3 && substat[3] > 0) { spd += (int)substat[3]; }
}
else if (runeSubStatType == "HP flat")
{
hp += (int)substat[1];
if (substat.Count > 3 && substat[3] > 0) { hp += (int)substat[3]; }
}
else if (runeSubStatType == "HP%")
{
hp += baseHp * (int)substat[1] / 100;
if (substat.Count > 3 && substat[3] > 0) { hp += baseHp * (int)substat[3] / 100; }
}
else if (runeSubStatType == "DEF flat")
{
def += (int)substat[1];
if (substat.Count > 3 && substat[3] > 0) { def += (int)substat[3]; }
}
else if (runeSubStatType == "DEF%")
{
def += baseDef * (int)substat[1] / 100;
if (substat.Count > 3 && substat[3] > 0) { def += baseDef * (int)substat[3] / 100; }
}
else if (runeSubStatType == "ATK flat")
{
atk += (int)substat[1];
if (substat.Count > 3 && substat[3] > 0) { atk += (int)substat[3]; }
}
else if (runeSubStatType == "ATK%")
{
atk += baseAtk * (int)substat[1] / 100;
if (substat.Count > 3 && substat[3] > 0) { atk += baseAtk * (int)substat[3] / 100; }
}
else if (runeSubStatType == "CDmg")
{
cdmg += (int)substat[1];
if (substat.Count > 3 && substat[3] > 0) { cdmg += (int)substat[3]; }
}
}
eff += Mapping.Instance.GetRuneEfficiency(rune).Current;
}
if (runesOfSpecificSet.Keys.Contains("Swift")) { spd += (int)(baseSpd * (runesOfSpecificSet["Swift"] / Mapping.Instance.GetRuneSetAmount("Swift")) * .25); }
if (runesOfSpecificSet.Keys.Contains("Energy")) { hp += (int)(baseHp * (runesOfSpecificSet["Energy"] / Mapping.Instance.GetRuneSetAmount("Energy")) * .15); }
if (runesOfSpecificSet.Keys.Contains("Guard")) { def += (int)(baseDef * (runesOfSpecificSet["Guard"] / Mapping.Instance.GetRuneSetAmount("Guard")) * .15); }
if (runesOfSpecificSet.Keys.Contains("Fatal")) { atk += (int)(baseAtk * (runesOfSpecificSet["Fatal"] / Mapping.Instance.GetRuneSetAmount("Fatal")) * .35); }
if (runesOfSpecificSet.Keys.Contains("Rage")) { cdmg += runesOfSpecificSet["Rage"] / Mapping.Instance.GetRuneSetAmount("Rage"); }
topSpeed.Add(i, (monsters[i - 1], spd));
topHP.Add(i, (monsters[i - 1], hp));
topDEF.Add(i, (monsters[i - 1], def));
topATK.Add(i, (monsters[i - 1], atk));
topCDMG.Add(i, (monsters[i - 1], cdmg));
topEff.Add(i, (monsters[i - 1], eff / 6));
}
KeyValuePair<int, (Monster Mon, int Spd)>[] topSpeedArray = topSpeed.ToArray();
KeyValuePair<int, (Monster Mon, int HP)>[] topHPArray = topHP.ToArray();
KeyValuePair<int, (Monster Mon, int DEF)>[] topDEFArray = topDEF.ToArray();
KeyValuePair<int, (Monster Mon, int ATK)>[] topATKArray = topATK.ToArray();
KeyValuePair<int, (Monster Mon, int CDMG)>[] topCDMGArray = topCDMG.ToArray();
KeyValuePair<int, (Monster Mon, double Eff)>[] topEffArray = topEff.ToArray();
Array.Sort(topSpeedArray, (a, b) => a.Value.Spd.CompareTo(b.Value.Spd));
Array.Sort(topHPArray, (a, b) => a.Value.HP.CompareTo(b.Value.HP));
Array.Sort(topDEFArray, (a, b) => a.Value.DEF.CompareTo(b.Value.DEF));
Array.Sort(topATKArray, (a, b) => a.Value.ATK.CompareTo(b.Value.ATK));
Array.Sort(topCDMGArray, (a, b) => a.Value.CDMG.CompareTo(b.Value.CDMG));
Array.Sort(topEffArray, (a, b) => a.Value.Eff.CompareTo(b.Value.Eff));
for (int i = 0; i < monsters.Count; i++)
{
int rank = monsters.Count - i;
TopSpeed.Add(rank, (topSpeedArray[i].Value.Mon, topSpeedArray[i].Value.Spd));
TopHP.Add(rank, (topHPArray[i].Value.Mon, topHPArray[i].Value.HP));
TopDEF.Add(rank, (topDEFArray[i].Value.Mon, topDEFArray[i].Value.DEF));
TopATK.Add(rank, (topATKArray[i].Value.Mon, topATKArray[i].Value.ATK));
TopCDMG.Add(rank, (topCDMGArray[i].Value.Mon, topCDMGArray[i].Value.CDMG));
TopEff.Add(rank, (topEffArray[i].Value.Mon, topEffArray[i].Value.Eff));
}
for (int i = 0; i < monsters.Count; i++)
{
int rank = monsters.Count - i;
top.Add(rank, (monsters[i], 0));
top[rank] = (top[rank].Mon, top[rank].Points + 1 - (double)TopSpeed.Where(m => m.Value.Mon == monsters[i]).First().Key / TopSpeed.Count + (double)TopSpeed.Where(m => m.Value.Mon == monsters[i]).First().Value.Spd / TopSpeed[1].Spd);
top[rank] = (top[rank].Mon, top[rank].Points + 1 - (double)TopHP.Where(m => m.Value.Mon == monsters[i]).First().Key / TopHP.Count + (double)TopHP.Where(m => m.Value.Mon == monsters[i]).First().Value.HP / TopHP[1].HP);
top[rank] = (top[rank].Mon, top[rank].Points + 1 - (double)TopDEF.Where(m => m.Value.Mon == monsters[i]).First().Key / TopDEF.Count + (double)TopDEF.Where(m => m.Value.Mon == monsters[i]).First().Value.DEF / TopDEF[1].DEF);
top[rank] = (top[rank].Mon, top[rank].Points + 1 - (double)TopATK.Where(m => m.Value.Mon == monsters[i]).First().Key / TopATK.Count + (double)TopATK.Where(m => m.Value.Mon == monsters[i]).First().Value.ATK / TopATK[1].ATK);
top[rank] = (top[rank].Mon, top[rank].Points + 1 - (double)TopCDMG.Where(m => m.Value.Mon == monsters[i]).First().Key / TopCDMG.Count + (double)TopCDMG.Where(m => m.Value.Mon == monsters[i]).First().Value.CDMG / TopCDMG[1].CDMG);
top[rank] = (top[rank].Mon, top[rank].Points + 1 - (double)TopEff.Where(m => m.Value.Mon == monsters[i]).First().Key / TopEff.Count + (double)TopEff.Where(m => m.Value.Mon == monsters[i]).First().Value.Eff / TopEff[1].Eff);
}
KeyValuePair<int, (Monster Mon, double Points)>[] topArray = top.ToArray();
Array.Sort(topArray, (a, b) => a.Value.Points.CompareTo(b.Value.Points));
for (int i = 0; i < monsters.Count; i++)
{
Top.Add(monsters.Count - i, (topArray[i].Value.Mon, topArray[i].Value.Points));
}
}
public (int Rank, int Spd) GetRankingSpeed(Monster monster)
{
KeyValuePair<int, (Monster Mon, int Spd)> rank = TopSpeed.Where(item => item.Value.Mon == monster).First();
return (rank.Key, rank.Value.Spd);
}
public (int Rank, int HP) GetRankingHP(Monster monster)
{
KeyValuePair<int, (Monster Mon, int HP)> rank = TopHP.Where(item => item.Value.Mon == monster).First();
return (rank.Key, rank.Value.HP);
}
public (int Rank, int DEF) GetRankingDEF(Monster monster)
{
KeyValuePair<int, (Monster Mon, int DEF)> rank = TopDEF.Where(item => item.Value.Mon == monster).First();
return (rank.Key, rank.Value.DEF);
}
public (int Rank, int ATK) GetRankingATK(Monster monster)
{
KeyValuePair<int, (Monster Mon, int ATK)> rank = TopATK.Where(item => item.Value.Mon == monster).First();
return (rank.Key, rank.Value.ATK);
}
public (int Rank, int CDMG) GetRankingCDMG(Monster monster)
{
KeyValuePair<int, (Monster Mon, int CDMG)> rank = TopCDMG.Where(item => item.Value.Mon == monster).First();
return (rank.Key, rank.Value.CDMG);
}
public (int Rank, double Eff) GetRankingEff(Monster monster)
{
KeyValuePair<int, (Monster Mon, double Eff)> rank = TopEff.Where(item => item.Value.Mon == monster).First();
return (rank.Key, rank.Value.Eff);
}
public (int Rank, double Points) GetRankingTop(Monster monster)
{
KeyValuePair<int, (Monster Mon, double Points)> rank = Top.Where(item => item.Value.Mon == monster).First();
return (rank.Key, rank.Value.Points);
}
#endregion
}
}
| 59.383721 | 247 | 0.526728 | [
"Apache-2.0"
] | QuatZo/Summoners-War-Statistics | Summoners War Statistics/Extensions/Ranking.cs | 15,323 | C# |
// Licensed to the .NET Foundation under one or more agreements.
// The .NET Foundation licenses this file to you under the MIT license.
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.EntityFrameworkCore.Diagnostics;
using Microsoft.EntityFrameworkCore.Storage;
using Microsoft.EntityFrameworkCore.Utilities;
namespace Microsoft.EntityFrameworkCore.Update
{
/// <summary>
/// <para>
/// A <see cref="ReaderModificationCommandBatch" /> for providers which append an SQL query to find out
/// how many rows were affected (see <see cref="UpdateSqlGenerator.AppendSelectAffectedCountCommand" />).
/// </para>
/// <para>
/// This type is typically used by database providers; it is generally not used in application code.
/// </para>
/// </summary>
/// <remarks>
/// See <see href="https://aka.ms/efcore-docs-providers">Implementation of database providers and extensions</see>
/// for more information.
/// </remarks>
public abstract class AffectedCountModificationCommandBatch : ReaderModificationCommandBatch
{
/// <summary>
/// Creates a new <see cref="AffectedCountModificationCommandBatch" /> instance.
/// </summary>
/// <param name="dependencies"> Service dependencies. </param>
protected AffectedCountModificationCommandBatch(ModificationCommandBatchFactoryDependencies dependencies)
: base(dependencies)
{
}
/// <summary>
/// Consumes the data reader created by <see cref="ReaderModificationCommandBatch.Execute" />.
/// </summary>
/// <param name="reader"> The data reader. </param>
protected override void Consume(RelationalDataReader reader)
{
Check.DebugAssert(
CommandResultSet.Count == ModificationCommands.Count,
$"CommandResultSet.Count of {CommandResultSet.Count} != ModificationCommands.Count of {ModificationCommands.Count}");
var commandIndex = 0;
try
{
var actualResultSetCount = 0;
do
{
while (commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex] == ResultSetMapping.NoResultSet)
{
commandIndex++;
}
if (commandIndex < CommandResultSet.Count)
{
commandIndex = ModificationCommands[commandIndex].RequiresResultPropagation
? ConsumeResultSetWithPropagation(commandIndex, reader)
: ConsumeResultSetWithoutPropagation(commandIndex, reader);
actualResultSetCount++;
}
}
while (commandIndex < CommandResultSet.Count
&& reader.DbDataReader.NextResult());
#if DEBUG
while (commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex] == ResultSetMapping.NoResultSet)
{
commandIndex++;
}
Check.DebugAssert(
commandIndex == ModificationCommands.Count,
"Expected " + ModificationCommands.Count + " results, got " + commandIndex);
var expectedResultSetCount = CommandResultSet.Count(e => e == ResultSetMapping.LastInResultSet);
Check.DebugAssert(
actualResultSetCount == expectedResultSetCount,
"Expected " + expectedResultSetCount + " result sets, got " + actualResultSetCount);
#endif
}
catch (Exception ex) when (ex is not DbUpdateException and not OperationCanceledException)
{
throw new DbUpdateException(
RelationalStrings.UpdateStoreException,
ex,
ModificationCommands[commandIndex].Entries);
}
}
/// <summary>
/// Consumes the data reader created by <see cref="ReaderModificationCommandBatch.ExecuteAsync" />.
/// </summary>
/// <param name="reader"> The data reader. </param>
/// <param name="cancellationToken"> A <see cref="CancellationToken" /> to observe while waiting for the task to complete. </param>
/// <returns> A task that represents the asynchronous operation. </returns>
/// <exception cref="OperationCanceledException"> If the <see cref="CancellationToken"/> is canceled. </exception>
protected override async Task ConsumeAsync(
RelationalDataReader reader,
CancellationToken cancellationToken = default)
{
Check.DebugAssert(
CommandResultSet.Count == ModificationCommands.Count,
$"CommandResultSet.Count of {CommandResultSet.Count} != ModificationCommands.Count of {ModificationCommands.Count}");
var commandIndex = 0;
try
{
var actualResultSetCount = 0;
do
{
while (commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex] == ResultSetMapping.NoResultSet)
{
commandIndex++;
}
if (commandIndex < CommandResultSet.Count)
{
commandIndex = ModificationCommands[commandIndex].RequiresResultPropagation
? await ConsumeResultSetWithPropagationAsync(commandIndex, reader, cancellationToken).ConfigureAwait(false)
: await ConsumeResultSetWithoutPropagationAsync(commandIndex, reader, cancellationToken).ConfigureAwait(false);
actualResultSetCount++;
}
}
while (commandIndex < CommandResultSet.Count
&& await reader.DbDataReader.NextResultAsync(cancellationToken).ConfigureAwait(false));
#if DEBUG
while (commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex] == ResultSetMapping.NoResultSet)
{
commandIndex++;
}
Check.DebugAssert(
commandIndex == ModificationCommands.Count,
"Expected " + ModificationCommands.Count + " results, got " + commandIndex);
var expectedResultSetCount = CommandResultSet.Count(e => e == ResultSetMapping.LastInResultSet);
Check.DebugAssert(
actualResultSetCount == expectedResultSetCount,
"Expected " + expectedResultSetCount + " result sets, got " + actualResultSetCount);
#endif
}
catch (Exception ex) when (ex is not DbUpdateException and not OperationCanceledException)
{
throw new DbUpdateException(
RelationalStrings.UpdateStoreException,
ex,
ModificationCommands[commandIndex].Entries);
}
}
/// <summary>
/// Consumes the data reader created by <see cref="ReaderModificationCommandBatch.Execute" />,
/// propagating values back into the <see cref="ModificationCommand" />.
/// </summary>
/// <param name="commandIndex"> The ordinal of the command being consumed. </param>
/// <param name="reader"> The data reader. </param>
/// <returns> The ordinal of the next command that must be consumed. </returns>
protected virtual int ConsumeResultSetWithPropagation(int commandIndex, RelationalDataReader reader)
{
var rowsAffected = 0;
do
{
var tableModification = ModificationCommands[commandIndex];
Check.DebugAssert(tableModification.RequiresResultPropagation, "RequiresResultPropagation is false");
if (!reader.Read())
{
var expectedRowsAffected = rowsAffected + 1;
while (++commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex - 1] == ResultSetMapping.NotLastInResultSet)
{
expectedRowsAffected++;
}
ThrowAggregateUpdateConcurrencyException(commandIndex, expectedRowsAffected, rowsAffected);
}
var valueBufferFactory = CreateValueBufferFactory(tableModification.ColumnModifications);
tableModification.PropagateResults(valueBufferFactory.Create(reader.DbDataReader));
rowsAffected++;
}
while (++commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex - 1] == ResultSetMapping.NotLastInResultSet);
return commandIndex;
}
/// <summary>
/// Consumes the data reader created by <see cref="ReaderModificationCommandBatch.ExecuteAsync" />,
/// propagating values back into the <see cref="ModificationCommand" />.
/// </summary>
/// <param name="commandIndex"> The ordinal of the command being consumed. </param>
/// <param name="reader"> The data reader. </param>
/// <param name="cancellationToken"> A <see cref="CancellationToken" /> to observe while waiting for the task to complete. </param>
/// <returns>
/// A task that represents the asynchronous operation.
/// The task contains the ordinal of the next command that must be consumed.
/// </returns>
/// <exception cref="OperationCanceledException"> If the <see cref="CancellationToken"/> is canceled. </exception>
protected virtual async Task<int> ConsumeResultSetWithPropagationAsync(
int commandIndex,
RelationalDataReader reader,
CancellationToken cancellationToken)
{
var rowsAffected = 0;
do
{
var tableModification = ModificationCommands[commandIndex];
Check.DebugAssert(tableModification.RequiresResultPropagation, "RequiresResultPropagation is false");
if (!await reader.ReadAsync(cancellationToken).ConfigureAwait(false))
{
var expectedRowsAffected = rowsAffected + 1;
while (++commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex - 1] == ResultSetMapping.NotLastInResultSet)
{
expectedRowsAffected++;
}
ThrowAggregateUpdateConcurrencyException(commandIndex, expectedRowsAffected, rowsAffected);
}
var valueBufferFactory = CreateValueBufferFactory(tableModification.ColumnModifications);
tableModification.PropagateResults(valueBufferFactory.Create(reader.DbDataReader));
rowsAffected++;
}
while (++commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex - 1] == ResultSetMapping.NotLastInResultSet);
return commandIndex;
}
/// <summary>
/// Consumes the data reader created by <see cref="ReaderModificationCommandBatch.Execute" />
/// without propagating values back into the <see cref="ModificationCommand" />.
/// </summary>
/// <param name="commandIndex"> The ordinal of the command being consumed. </param>
/// <param name="reader"> The data reader. </param>
/// <returns> The ordinal of the next command that must be consumed. </returns>
protected virtual int ConsumeResultSetWithoutPropagation(int commandIndex, RelationalDataReader reader)
{
var expectedRowsAffected = 1;
while (++commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex - 1] == ResultSetMapping.NotLastInResultSet)
{
Check.DebugAssert(!ModificationCommands[commandIndex].RequiresResultPropagation, "RequiresResultPropagation is true");
expectedRowsAffected++;
}
if (reader.Read())
{
var rowsAffected = reader.DbDataReader.GetInt32(0);
if (rowsAffected != expectedRowsAffected)
{
ThrowAggregateUpdateConcurrencyException(commandIndex, expectedRowsAffected, rowsAffected);
}
}
else
{
ThrowAggregateUpdateConcurrencyException(commandIndex, 1, 0);
}
return commandIndex;
}
/// <summary>
/// Consumes the data reader created by <see cref="ReaderModificationCommandBatch.ExecuteAsync" />
/// without propagating values back into the <see cref="ModificationCommand" />.
/// </summary>
/// <param name="commandIndex"> The ordinal of the command being consumed. </param>
/// <param name="reader"> The data reader. </param>
/// <param name="cancellationToken"> A <see cref="CancellationToken" /> to observe while waiting for the task to complete. </param>
/// <returns>
/// A task that represents the asynchronous operation.
/// The task contains the ordinal of the next command that must be consumed.
/// </returns>
/// <exception cref="OperationCanceledException"> If the <see cref="CancellationToken"/> is canceled. </exception>
protected virtual async Task<int> ConsumeResultSetWithoutPropagationAsync(
int commandIndex,
RelationalDataReader reader,
CancellationToken cancellationToken)
{
var expectedRowsAffected = 1;
while (++commandIndex < CommandResultSet.Count
&& CommandResultSet[commandIndex - 1] == ResultSetMapping.NotLastInResultSet)
{
Check.DebugAssert(!ModificationCommands[commandIndex].RequiresResultPropagation, "RequiresResultPropagation is true");
expectedRowsAffected++;
}
if (await reader.ReadAsync(cancellationToken).ConfigureAwait(false))
{
var rowsAffected = reader.DbDataReader.GetInt32(0);
if (rowsAffected != expectedRowsAffected)
{
ThrowAggregateUpdateConcurrencyException(commandIndex, expectedRowsAffected, rowsAffected);
}
}
else
{
ThrowAggregateUpdateConcurrencyException(commandIndex, 1, 0);
}
return commandIndex;
}
private IReadOnlyList<IUpdateEntry> AggregateEntries(int endIndex, int commandCount)
{
var entries = new List<IUpdateEntry>();
for (var i = endIndex - commandCount; i < endIndex; i++)
{
entries.AddRange(ModificationCommands[i].Entries);
}
return entries;
}
/// <summary>
/// Throws an exception indicating the command affected an unexpected number of rows.
/// </summary>
/// <param name="commandIndex"> The ordinal of the command. </param>
/// <param name="expectedRowsAffected"> The expected number of rows affected. </param>
/// <param name="rowsAffected"> The actual number of rows affected. </param>
protected virtual void ThrowAggregateUpdateConcurrencyException(
int commandIndex,
int expectedRowsAffected,
int rowsAffected)
{
throw new DbUpdateConcurrencyException(
RelationalStrings.UpdateConcurrencyException(expectedRowsAffected, rowsAffected),
AggregateEntries(commandIndex, expectedRowsAffected));
}
}
}
| 45.830508 | 139 | 0.593997 | [
"MIT"
] | CameronAavik/efcore | src/EFCore.Relational/Update/AffectedCountModificationCommandBatch.cs | 16,224 | C# |
using GraphX.Controls;
using System;
using System.Windows;
using System.Windows.Media;
using System.Windows.Shapes;
namespace ControlsLibrary.Controls.Scene
{
/// <summary>
/// Control for virtual edge that is used when one clicks on a first node and draws an edge to a second node.
/// Actual edge is created only when drawing is finished (by clicking on a target node).
/// </summary>
internal class EdgeBlueprint : IDisposable
{
/// <summary>
/// The source vertex of an edge
/// </summary>
public VertexControl Source { get; set; }
/// <summary>
/// The current target position of an edge
/// </summary>
public Point TargetPosition { get; set; }
/// <summary>
/// The actual calculated path of an edge
/// </summary>
public Path EdgePath { get; set; }
/// <summary>
/// The basic constructor
/// </summary>
/// <param name="source">Source vertex of a new edge</param>
/// <param name="brush">Brush to draw a blueprint</param>
public EdgeBlueprint(VertexControl source, Brush brush)
{
EdgePath = new Path { Stroke = brush, Data = new LineGeometry() };
Source = source;
}
private void SourcePositionChanged(object sender, EventArgs eventArgs)
=> UpdateGeometry(Source.GetCenterPosition(), TargetPosition);
/// <summary>
/// Handles target position update
/// </summary>
/// <param name="point">New target position</param>
public void UpdateTargetPosition(Point point)
{
TargetPosition = point;
UpdateGeometry(Source.GetCenterPosition(), point);
}
private void UpdateGeometry(Point start, Point finish)
{
EdgePath.Data = new LineGeometry(start, finish);
EdgePath.Data.Freeze();
}
public void Dispose()
{
Source.PositionChanged -= SourcePositionChanged;
Source = null;
}
}
} | 31.681818 | 113 | 0.587757 | [
"Apache-2.0"
] | IlyaMuravjov/DesktopAutomataConstructor | ControlsLibrary/Controls/Scene/EdgeBlueprint.cs | 2,093 | C# |
using System;
using System.Collections.Generic;
using System.Configuration;
using System.Data;
using System.Linq;
using System.Threading.Tasks;
using System.Windows;
namespace WpfApp1
{
/// <summary>
/// Logika interakcji dla klasy App.xaml
/// </summary>
public partial class App : Application
{
}
}
| 18.166667 | 44 | 0.703364 | [
"MIT"
] | Mrmisio345/c-praca | WpfApp1/App.xaml.cs | 329 | C# |
namespace PcPartPicker2.Data.Common.Models
{
using System;
using System.ComponentModel.DataAnnotations;
public abstract class BaseModel<TKey> : IAuditInfo
{
[Key]
public TKey Id { get; set; }
public DateTime CreatedOn { get; set; }
public DateTime? ModifiedOn { get; set; }
}
}
| 20.875 | 54 | 0.631737 | [
"MIT"
] | TodorNedkovski/PcPartPicker2 | src/Data/PcPartPicker2.Data.Common/Models/BaseModel.cs | 336 | C# |
namespace Sitecore.Foundation.AlchemyBase.ResponseWrapper
{
public interface IServiceError
{
string ErrorCode { get; set; }
string Message { get; set; }
}
public class ServiceError : IServiceError
{
public ServiceError()
{
}
public ServiceError(string message, string errorCode)
{
Message = message;
ErrorCode = errorCode;
}
public string ErrorCode { get; set; }
public string Message { get; set; }
}
} | 20.615385 | 61 | 0.56903 | [
"MIT"
] | TomTyack/Alchemy | src/Foundation/Alchemy/code/AlchemyBase/ResponseWrapper/ServiceError.cs | 538 | C# |
using System;
using System.Collections.Generic;
using System.Globalization;
using System.Linq;
using Umbraco.Core.Models;
using Umbraco.Core.Models.Rdbms;
namespace Umbraco.Core.Persistence.Factories
{
internal class MemberTypeFactory : IEntityFactory<IMemberType, ContentTypeDto>
{
private readonly Guid _nodeObjectType;
public MemberTypeFactory(Guid nodeObjectType)
{
_nodeObjectType = nodeObjectType;
}
public IMemberType BuildEntity(ContentTypeDto dto)
{
throw new System.NotImplementedException();
}
public ContentTypeDto BuildDto(IMemberType entity)
{
var contentTypeDto = new ContentTypeDto
{
Alias = entity.Alias,
Description = entity.Description,
Icon = entity.Icon,
Thumbnail = entity.Thumbnail,
NodeId = entity.Id,
AllowAtRoot = entity.AllowedAsRoot,
IsContainer = entity.IsContainer,
NodeDto = BuildNodeDto(entity)
};
return contentTypeDto;
}
public IEnumerable<MemberTypeDto> BuildMemberTypeDtos(IMemberType entity)
{
var memberType = entity as MemberType;
if (memberType == null || memberType.PropertyTypes.Any() == false)
return Enumerable.Empty<MemberTypeDto>();
var memberTypes = new List<MemberTypeDto>();
foreach (var propertyType in memberType.PropertyTypes)
{
memberTypes.Add(new MemberTypeDto
{
NodeId = entity.Id,
PropertyTypeId = propertyType.Id,
CanEdit = memberType.MemberCanEditProperty(propertyType.Alias),
ViewOnProfile = memberType.MemberCanViewProperty(propertyType.Alias)
});
}
return memberTypes;
}
private NodeDto BuildNodeDto(IMemberType entity)
{
var nodeDto = new NodeDto
{
CreateDate = entity.CreateDate,
NodeId = entity.Id,
Level = short.Parse(entity.Level.ToString(CultureInfo.InvariantCulture)),
NodeObjectType = _nodeObjectType,
ParentId = entity.ParentId,
Path = entity.Path,
SortOrder = entity.SortOrder,
Text = entity.Name,
Trashed = false,
UniqueId = entity.Key,
UserId = entity.CreatorId
};
return nodeDto;
}
private int DeterminePropertyTypeId(int initialId, string alias, IEnumerable<PropertyType> propertyTypes)
{
if (initialId == 0 || initialId == default(int))
{
var propertyType = propertyTypes.SingleOrDefault(x => x.Alias.Equals(alias));
if (propertyType == null)
return default(int);
return propertyType.Id;
}
return initialId;
}
}
} | 40.5 | 114 | 0.459154 | [
"MIT"
] | AdrianJMartin/Umbraco-CMS | src/Umbraco.Core/Persistence/Factories/MemberTypeFactory.cs | 3,809 | C# |
// Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License. See License.txt in the project root for license information.
// Code generated by Microsoft (R) AutoRest Code Generator.
// Changes may cause incorrect behavior and will be lost if the code is regenerated.
namespace Microsoft.Azure.PowerShell.Cmdlets.CloudService.Cmdlets
{
using static Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Extensions;
using System;
/// <summary>
/// Gets a list of all cloud services under a resource group. Use nextLink property in the response to get the next page of
/// Cloud Services. Do this till nextLink is null to fetch all the Cloud Services.
/// </summary>
/// <remarks>
/// [OpenAPI] List=>GET:"/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/cloudServices"
/// </remarks>
[global::System.Management.Automation.Cmdlet(global::System.Management.Automation.VerbsCommon.Get, @"AzCloudService_List1")]
[global::System.Management.Automation.OutputType(typeof(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudService))]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Description(@"Gets a list of all cloud services under a resource group. Use nextLink property in the response to get the next page of Cloud Services. Do this till nextLink is null to fetch all the Cloud Services.")]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Generated]
public partial class GetAzCloudService_List1 : global::System.Management.Automation.PSCmdlet,
Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener
{
/// <summary>A unique id generatd for the this cmdlet when it is instantiated.</summary>
private string __correlationId = System.Guid.NewGuid().ToString();
/// <summary>A copy of the Invocation Info (necessary to allow asJob to clone this cmdlet)</summary>
private global::System.Management.Automation.InvocationInfo __invocationInfo;
/// <summary>A unique id generatd for the this cmdlet when ProcessRecord() is called.</summary>
private string __processRecordId;
/// <summary>
/// The <see cref="global::System.Threading.CancellationTokenSource" /> for this operation.
/// </summary>
private global::System.Threading.CancellationTokenSource _cancellationTokenSource = new global::System.Threading.CancellationTokenSource();
/// <summary>A flag to tell whether it is the first onOK call.</summary>
private bool _isFirst = true;
/// <summary>Link to retrieve next page.</summary>
private string _nextLink;
/// <summary>Wait for .NET debugger to attach</summary>
[global::System.Management.Automation.Parameter(Mandatory = false, DontShow = true, HelpMessage = "Wait for .NET debugger to attach")]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Runtime)]
public global::System.Management.Automation.SwitchParameter Break { get; set; }
/// <summary>The reference to the client API class.</summary>
public Microsoft.Azure.PowerShell.Cmdlets.CloudService.CloudService Client => Microsoft.Azure.PowerShell.Cmdlets.CloudService.Module.Instance.ClientAPI;
/// <summary>
/// The credentials, account, tenant, and subscription used for communication with Azure
/// </summary>
[global::System.Management.Automation.Parameter(Mandatory = false, HelpMessage = "The credentials, account, tenant, and subscription used for communication with Azure.")]
[global::System.Management.Automation.ValidateNotNull]
[global::System.Management.Automation.Alias("AzureRMContext", "AzureCredential")]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Azure)]
public global::System.Management.Automation.PSObject DefaultProfile { get; set; }
/// <summary>SendAsync Pipeline Steps to be appended to the front of the pipeline</summary>
[global::System.Management.Automation.Parameter(Mandatory = false, DontShow = true, HelpMessage = "SendAsync Pipeline Steps to be appended to the front of the pipeline")]
[global::System.Management.Automation.ValidateNotNull]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Runtime)]
public Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.SendAsyncStep[] HttpPipelineAppend { get; set; }
/// <summary>SendAsync Pipeline Steps to be prepended to the front of the pipeline</summary>
[global::System.Management.Automation.Parameter(Mandatory = false, DontShow = true, HelpMessage = "SendAsync Pipeline Steps to be prepended to the front of the pipeline")]
[global::System.Management.Automation.ValidateNotNull]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Runtime)]
public Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.SendAsyncStep[] HttpPipelinePrepend { get; set; }
/// <summary>Accessor for our copy of the InvocationInfo.</summary>
public global::System.Management.Automation.InvocationInfo InvocationInformation { get => __invocationInfo = __invocationInfo ?? this.MyInvocation ; set { __invocationInfo = value; } }
/// <summary>
/// <see cref="IEventListener" /> cancellation delegate. Stops the cmdlet when called.
/// </summary>
global::System.Action Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener.Cancel => _cancellationTokenSource.Cancel;
/// <summary><see cref="IEventListener" /> cancellation token.</summary>
global::System.Threading.CancellationToken Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener.Token => _cancellationTokenSource.Token;
/// <summary>
/// The instance of the <see cref="Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.HttpPipeline" /> that the remote call will use.
/// </summary>
private Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.HttpPipeline Pipeline { get; set; }
/// <summary>The URI for the proxy server to use</summary>
[global::System.Management.Automation.Parameter(Mandatory = false, DontShow = true, HelpMessage = "The URI for the proxy server to use")]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Runtime)]
public global::System.Uri Proxy { get; set; }
/// <summary>Credentials for a proxy server to use for the remote call</summary>
[global::System.Management.Automation.Parameter(Mandatory = false, DontShow = true, HelpMessage = "Credentials for a proxy server to use for the remote call")]
[global::System.Management.Automation.ValidateNotNull]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Runtime)]
public global::System.Management.Automation.PSCredential ProxyCredential { get; set; }
/// <summary>Use the default credentials for the proxy</summary>
[global::System.Management.Automation.Parameter(Mandatory = false, DontShow = true, HelpMessage = "Use the default credentials for the proxy")]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Runtime)]
public global::System.Management.Automation.SwitchParameter ProxyUseDefaultCredentials { get; set; }
/// <summary>Backing field for <see cref="ResourceGroupName" /> property.</summary>
private string _resourceGroupName;
/// <summary>Name of the resource group.</summary>
[global::System.Management.Automation.Parameter(Mandatory = true, HelpMessage = "Name of the resource group.")]
[Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Info(
Required = true,
ReadOnly = false,
Description = @"Name of the resource group.",
SerializedName = @"resourceGroupName",
PossibleTypes = new [] { typeof(string) })]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Path)]
public string ResourceGroupName { get => this._resourceGroupName; set => this._resourceGroupName = value; }
/// <summary>Backing field for <see cref="SubscriptionId" /> property.</summary>
private string[] _subscriptionId;
/// <summary>
/// Subscription credentials which uniquely identify Microsoft Azure subscription. The subscription ID forms part of the URI
/// for every service call.
/// </summary>
[global::System.Management.Automation.Parameter(Mandatory = true, HelpMessage = "Subscription credentials which uniquely identify Microsoft Azure subscription. The subscription ID forms part of the URI for every service call.")]
[Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Info(
Required = true,
ReadOnly = false,
Description = @"Subscription credentials which uniquely identify Microsoft Azure subscription. The subscription ID forms part of the URI for every service call.",
SerializedName = @"subscriptionId",
PossibleTypes = new [] { typeof(string) })]
[Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.DefaultInfo(
Name = @"",
Description =@"",
Script = @"(Get-AzContext).Subscription.Id")]
[global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.Category(global::Microsoft.Azure.PowerShell.Cmdlets.CloudService.ParameterCategory.Path)]
public string[] SubscriptionId { get => this._subscriptionId; set => this._subscriptionId = value; }
/// <summary>
/// <c>overrideOnDefault</c> will be called before the regular onDefault has been processed, allowing customization of what
/// happens on that response. Implement this method in a partial class to enable this behavior
/// </summary>
/// <param name="responseMessage">the raw response message as an global::System.Net.Http.HttpResponseMessage.</param>
/// <param name="response">the body result as a <see cref="Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudError"
/// /> from the remote call</param>
/// <param name="returnNow">/// Determines if the rest of the onDefault method should be processed, or if the method should
/// return immediately (set to true to skip further processing )</param>
partial void overrideOnDefault(global::System.Net.Http.HttpResponseMessage responseMessage, global::System.Threading.Tasks.Task<Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudError> response, ref global::System.Threading.Tasks.Task<bool> returnNow);
/// <summary>
/// <c>overrideOnOk</c> will be called before the regular onOk has been processed, allowing customization of what happens
/// on that response. Implement this method in a partial class to enable this behavior
/// </summary>
/// <param name="responseMessage">the raw response message as an global::System.Net.Http.HttpResponseMessage.</param>
/// <param name="response">the body result as a <see cref="Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudServiceListResult"
/// /> from the remote call</param>
/// <param name="returnNow">/// Determines if the rest of the onOk method should be processed, or if the method should return
/// immediately (set to true to skip further processing )</param>
partial void overrideOnOk(global::System.Net.Http.HttpResponseMessage responseMessage, global::System.Threading.Tasks.Task<Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudServiceListResult> response, ref global::System.Threading.Tasks.Task<bool> returnNow);
/// <summary>
/// (overrides the default BeginProcessing method in global::System.Management.Automation.PSCmdlet)
/// </summary>
protected override void BeginProcessing()
{
Module.Instance.SetProxyConfiguration(Proxy, ProxyCredential, ProxyUseDefaultCredentials);
if (Break)
{
Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.AttachDebugger.Break();
}
((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletBeginProcessing).Wait(); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
}
/// <summary>Performs clean-up after the command execution</summary>
protected override void EndProcessing()
{
((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletEndProcessing).Wait(); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
}
/// <summary>
/// Intializes a new instance of the <see cref="GetAzCloudService_List1" /> cmdlet class.
/// </summary>
public GetAzCloudService_List1()
{
}
/// <summary>Handles/Dispatches events during the call to the REST service.</summary>
/// <param name="id">The message id</param>
/// <param name="token">The message cancellation token. When this call is cancelled, this should be <c>true</c></param>
/// <param name="messageData">Detailed message data for the message event.</param>
/// <returns>
/// A <see cref="global::System.Threading.Tasks.Task" /> that will be complete when handling of the message is completed.
/// </returns>
async global::System.Threading.Tasks.Task Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener.Signal(string id, global::System.Threading.CancellationToken token, global::System.Func<Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.EventData> messageData)
{
using( NoSynchronizationContext )
{
if (token.IsCancellationRequested)
{
return ;
}
switch ( id )
{
case Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.Verbose:
{
WriteVerbose($"{(messageData().Message ?? global::System.String.Empty)}");
return ;
}
case Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.Warning:
{
WriteWarning($"{(messageData().Message ?? global::System.String.Empty)}");
return ;
}
case Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.Information:
{
var data = messageData();
WriteInformation(data.Message, new string[]{});
return ;
}
case Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.Debug:
{
WriteDebug($"{(messageData().Message ?? global::System.String.Empty)}");
return ;
}
case Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.Error:
{
WriteError(new global::System.Management.Automation.ErrorRecord( new global::System.Exception(messageData().Message), string.Empty, global::System.Management.Automation.ErrorCategory.NotSpecified, null ) );
return ;
}
}
await Microsoft.Azure.PowerShell.Cmdlets.CloudService.Module.Instance.Signal(id, token, messageData, (i,t,m) => ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(i,t,()=> Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.EventDataConverter.ConvertFrom( m() ) as Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.EventData ), InvocationInformation, this.ParameterSetName, __correlationId, __processRecordId, null );
if (token.IsCancellationRequested)
{
return ;
}
WriteDebug($"{id}: {(messageData().Message ?? global::System.String.Empty)}");
}
}
/// <summary>Performs execution of the command.</summary>
protected override void ProcessRecord()
{
((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletProcessRecordStart).Wait(); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
__processRecordId = System.Guid.NewGuid().ToString();
try
{
// work
using( var asyncCommandRuntime = new Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.PowerShell.AsyncCommandRuntime(this, ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token) )
{
asyncCommandRuntime.Wait( ProcessRecordAsync(),((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token);
}
}
catch (global::System.AggregateException aggregateException)
{
// unroll the inner exceptions to get the root cause
foreach( var innerException in aggregateException.Flatten().InnerExceptions )
{
((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletException, $"{innerException.GetType().Name} - {innerException.Message} : {innerException.StackTrace}").Wait(); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
// Write exception out to error channel.
WriteError( new global::System.Management.Automation.ErrorRecord(innerException,string.Empty, global::System.Management.Automation.ErrorCategory.NotSpecified, null) );
}
}
catch (global::System.Exception exception) when ((exception as System.Management.Automation.PipelineStoppedException)== null || (exception as System.Management.Automation.PipelineStoppedException).InnerException != null)
{
((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletException, $"{exception.GetType().Name} - {exception.Message} : {exception.StackTrace}").Wait(); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
// Write exception out to error channel.
WriteError( new global::System.Management.Automation.ErrorRecord(exception,string.Empty, global::System.Management.Automation.ErrorCategory.NotSpecified, null) );
}
finally
{
((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletProcessRecordEnd).Wait();
}
}
/// <summary>Performs execution of the command, working asynchronously if required.</summary>
/// <returns>
/// A <see cref="global::System.Threading.Tasks.Task" /> that will be complete when handling of the method is completed.
/// </returns>
protected async global::System.Threading.Tasks.Task ProcessRecordAsync()
{
using( NoSynchronizationContext )
{
await ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletProcessRecordAsyncStart); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
await ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletGetPipeline); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
Pipeline = Microsoft.Azure.PowerShell.Cmdlets.CloudService.Module.Instance.CreatePipeline(InvocationInformation, __correlationId, __processRecordId, this.ParameterSetName);
if (null != HttpPipelinePrepend)
{
Pipeline.Prepend((this.CommandRuntime as Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.PowerShell.IAsyncCommandRuntimeExtensions)?.Wrap(HttpPipelinePrepend) ?? HttpPipelinePrepend);
}
if (null != HttpPipelineAppend)
{
Pipeline.Append((this.CommandRuntime as Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.PowerShell.IAsyncCommandRuntimeExtensions)?.Wrap(HttpPipelineAppend) ?? HttpPipelineAppend);
}
// get the client instance
try
{
foreach( var SubscriptionId in this.SubscriptionId )
{
await ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletBeforeAPICall); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
await this.Client.CloudServicesList(ResourceGroupName, SubscriptionId, onOk, onDefault, this, Pipeline);
await ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletAfterAPICall); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
}
}
catch (Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.UndeclaredResponseException urexception)
{
WriteError(new global::System.Management.Automation.ErrorRecord(urexception, urexception.StatusCode.ToString(), global::System.Management.Automation.ErrorCategory.InvalidOperation, new { ResourceGroupName=ResourceGroupName,SubscriptionId=SubscriptionId})
{
ErrorDetails = new global::System.Management.Automation.ErrorDetails(urexception.Message) { RecommendedAction = urexception.Action }
});
}
finally
{
await ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.CmdletProcessRecordAsyncEnd);
}
}
}
/// <summary>Interrupts currently running code within the command.</summary>
protected override void StopProcessing()
{
((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Cancel();
base.StopProcessing();
}
/// <summary>
/// a delegate that is called when the remote service returns default (any response code not handled elsewhere).
/// </summary>
/// <param name="responseMessage">the raw response message as an global::System.Net.Http.HttpResponseMessage.</param>
/// <param name="response">the body result as a <see cref="Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudError"
/// /> from the remote call</param>
/// <returns>
/// A <see cref="global::System.Threading.Tasks.Task" /> that will be complete when handling of the method is completed.
/// </returns>
private async global::System.Threading.Tasks.Task onDefault(global::System.Net.Http.HttpResponseMessage responseMessage, global::System.Threading.Tasks.Task<Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudError> response)
{
using( NoSynchronizationContext )
{
var _returnNow = global::System.Threading.Tasks.Task<bool>.FromResult(false);
overrideOnDefault(responseMessage, response, ref _returnNow);
// if overrideOnDefault has returned true, then return right away.
if ((null != _returnNow && await _returnNow))
{
return ;
}
// Error Response : default
var code = (await response)?.Code;
var message = (await response)?.Message;
if ((null == code || null == message))
{
// Unrecognized Response. Create an error record based on what we have.
var ex = new Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.RestException<Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudError>(responseMessage, await response);
WriteError( new global::System.Management.Automation.ErrorRecord(ex, ex.Code, global::System.Management.Automation.ErrorCategory.InvalidOperation, new { ResourceGroupName=ResourceGroupName, SubscriptionId=SubscriptionId })
{
ErrorDetails = new global::System.Management.Automation.ErrorDetails(ex.Message) { RecommendedAction = ex.Action }
});
}
else
{
WriteError( new global::System.Management.Automation.ErrorRecord(new global::System.Exception($"[{code}] : {message}"), code?.ToString(), global::System.Management.Automation.ErrorCategory.InvalidOperation, new { ResourceGroupName=ResourceGroupName, SubscriptionId=SubscriptionId })
{
ErrorDetails = new global::System.Management.Automation.ErrorDetails(message) { RecommendedAction = global::System.String.Empty }
});
}
}
}
/// <summary>a delegate that is called when the remote service returns 200 (OK).</summary>
/// <param name="responseMessage">the raw response message as an global::System.Net.Http.HttpResponseMessage.</param>
/// <param name="response">the body result as a <see cref="Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudServiceListResult"
/// /> from the remote call</param>
/// <returns>
/// A <see cref="global::System.Threading.Tasks.Task" /> that will be complete when handling of the method is completed.
/// </returns>
private async global::System.Threading.Tasks.Task onOk(global::System.Net.Http.HttpResponseMessage responseMessage, global::System.Threading.Tasks.Task<Microsoft.Azure.PowerShell.Cmdlets.CloudService.Models.Api20210301.ICloudServiceListResult> response)
{
using( NoSynchronizationContext )
{
var _returnNow = global::System.Threading.Tasks.Task<bool>.FromResult(false);
overrideOnOk(responseMessage, response, ref _returnNow);
// if overrideOnOk has returned true, then return right away.
if ((null != _returnNow && await _returnNow))
{
return ;
}
// onOk - response for 200 / application/json
// response should be returning an array of some kind. +Pageable
// pageable / value / nextLink
var result = await response;
WriteObject(result.Value,true);
_nextLink = result.NextLink;
if (_isFirst)
{
_isFirst = false;
while (_nextLink != null)
{
if (responseMessage.RequestMessage is System.Net.Http.HttpRequestMessage requestMessage )
{
requestMessage = requestMessage.Clone(new global::System.Uri( _nextLink ),Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Method.Get );
await ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Signal(Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.Events.FollowingNextLink); if( ((Microsoft.Azure.PowerShell.Cmdlets.CloudService.Runtime.IEventListener)this).Token.IsCancellationRequested ) { return; }
await this.Client.CloudServicesList_Call(requestMessage, onOk, onDefault, this, Pipeline);
}
}
}
}
}
}
} | 73.595642 | 479 | 0.670077 | [
"MIT"
] | Agazoth/azure-powershell | src/CloudService/generated/cmdlets/GetAzCloudService_List1.cs | 29,983 | C# |
// Copyright 2016 Google Inc. All Rights Reserved.
//
// 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.
using Google.Protobuf;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Xunit;
using static Google.Cloud.Datastore.V1.PropertyOrder.Types;
using static Google.Cloud.Datastore.V1.QueryResultBatch.Types;
using static Google.Cloud.Datastore.V1.ReadOptions.Types;
namespace Google.Cloud.Datastore.V1.Snippets
{
[Collection(nameof(DatastoreSnippetFixture))]
public class DatastoreDbSnippets
{
private readonly DatastoreSnippetFixture _fixture;
public DatastoreDbSnippets(DatastoreSnippetFixture fixture)
{
_fixture = fixture;
}
[Fact]
public void Lookup()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: Lookup(*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("book");
Key key1 = keyFactory.CreateKey("pride_and_prejudice");
Key key2 = keyFactory.CreateKey("not_present");
IReadOnlyList<Entity> entities = db.Lookup(key1, key2);
Console.WriteLine(entities[0]); // Pride and Prejudice entity
Console.WriteLine(entities[1]); // Nothing (value is null reference)
// End snippet
Entity entity = entities[0];
Assert.Equal("Jane Austen", (string)entity["author"]);
Assert.Equal("Pride and Prejudice", (string)entity["title"]);
Assert.Null(entities[1]);
}
// See-also: Lookup(*)
// Member: Lookup(IEnumerable<Key>, *, *)
// Member: Lookup(Key, *, *)
// See [Lookup](ref) for an example using an alternative overload.
// End see-also
[Fact]
public async Task LookupAsync()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: LookupAsync(*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("book");
Key key1 = keyFactory.CreateKey("pride_and_prejudice");
Key key2 = keyFactory.CreateKey("not_present");
IReadOnlyList<Entity> entities = await db.LookupAsync(key1, key2);
Console.WriteLine(entities[0]); // Pride and Prejudice entity
Console.WriteLine(entities[1]); // Nothing (value is null reference)
// End snippet
Entity entity = entities[0];
Assert.Equal("Jane Austen", (string)entity["author"]);
Assert.Equal("Pride and Prejudice", (string)entity["title"]);
Assert.Null(entities[1]);
}
// See-also: LookupAsync(*)
// Member: LookupAsync(IEnumerable<Key>, *, *)
// Member: LookupAsync(Key, *, *)
// See [LookupAsync](ref) for an example using an alternative overload.
// End see-also
[Fact]
public void LazyStructuredQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: RunQueryLazily(Query,*,*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
Query query = new Query("book")
{
Filter = Filter.Equal("author", "Jane Austen")
};
LazyDatastoreQuery results = db.RunQueryLazily(query);
// LazyDatastoreQuery implements IEnumerable<Entity>, but you can
// call AsResponses() to see the raw RPC responses, or
// GetAllResults() to get all the results into memory, complete with
// the end cursor and the reason for the query finishing.
foreach (Entity entity in results)
{
Console.WriteLine(entity);
}
// End snippet
// This will run the query again, admittedly...
List<Entity> entities = results.ToList();
Assert.Equal(1, entities.Count);
Entity book = entities[0];
Assert.Equal("Jane Austen", (string)book["author"]);
Assert.Equal("Pride and Prejudice", (string)book["title"]);
}
[Fact]
public async Task LazyStructuredQueryAsync()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: RunQueryLazilyAsync(Query,*,*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
Query query = new Query("book")
{
Filter = Filter.Equal("author", "Jane Austen")
};
AsyncLazyDatastoreQuery results = db.RunQueryLazilyAsync(query);
// AsyncLazyDatastoreQuery implements IAsyncEnumerable<Entity>, but you can
// call AsResponses() to see the raw RPC responses, or
// GetAllResultsAsync() to get all the results into memory, complete with
// the end cursor and the reason for the query finishing.
await results.ForEachAsync(entity =>
{
Console.WriteLine(entity);
});
// End snippet
// This will run the query again, admittedly...
List<Entity> entities = await results.ToList();
Assert.Equal(1, entities.Count);
Entity book = entities[0];
Assert.Equal("Jane Austen", (string)book["author"]);
Assert.Equal("Pride and Prejudice", (string)book["title"]);
}
[Fact]
public void LazyGqlQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: RunQueryLazily(GqlQuery,*,*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
GqlQuery gqlQuery = new GqlQuery
{
QueryString = "SELECT * FROM book WHERE author = @author",
NamedBindings = { { "author", "Jane Austen" } },
};
LazyDatastoreQuery results = db.RunQueryLazily(gqlQuery);
// LazyDatastoreQuery implements IEnumerable<Entity>, but you can
// call AsResponses() to see the raw RPC responses, or
// GetAllResults() to get all the results into memory, complete with
// the end cursor and the reason for the query finishing.
foreach (Entity entity in results)
{
Console.WriteLine(entity);
}
// End snippet
// This will run the query again, admittedly...
List<Entity> entities = results.ToList();
Assert.Equal(1, entities.Count);
Entity book = entities[0];
Assert.Equal("Jane Austen", (string)book["author"]);
Assert.Equal("Pride and Prejudice", (string)book["title"]);
}
[Fact]
public async Task LazyGqlQueryAsync()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: RunQueryLazilyAsync(GqlQuery,*,*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
GqlQuery gqlQuery = new GqlQuery
{
QueryString = "SELECT * FROM book WHERE author = @author",
NamedBindings = { { "author", "Jane Austen" } },
};
AsyncLazyDatastoreQuery results = db.RunQueryLazilyAsync(gqlQuery);
// AsyncLazyDatastoreQuery implements IAsyncEnumerable<Entity>, but you can
// call AsResponses() to see the raw RPC responses, or
// GetAllResultsAsync() to get all the results into memory, complete with
// the end cursor and the reason for the query finishing.
await results.ForEachAsync(entity =>
{
Console.WriteLine(entity);
});
// End snippet
// This will run the query again, admittedly...
List<Entity> entities = await results.ToList();
Assert.Equal(1, entities.Count);
Entity book = entities[0];
Assert.Equal("Jane Austen", (string)book["author"]);
Assert.Equal("Pride and Prejudice", (string)book["title"]);
}
[Fact]
public void EagerStructuredQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: RunQuery(Query,*,*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
Query query = new Query("book")
{
Filter = Filter.Equal("author", "Jane Austen"),
Limit = 10
};
// RunQuery fetches all the results into memory in a single call.
// Constrast this with RunQueryLazily, which merely prepares an enumerable
// query. Always specify a limit when you use RunQuery, to avoid running
// out of memory.
DatastoreQueryResults results = db.RunQuery(query);
foreach (Entity entity in results.Entities)
{
Console.WriteLine(entity);
}
// End snippet
// This will run the query again, admittedly...
Assert.Equal(1, results.Entities.Count);
Entity book = results.Entities[0];
Assert.Equal("Jane Austen", (string)book["author"]);
Assert.Equal("Pride and Prejudice", (string)book["title"]);
}
[Fact]
public async Task EagerStructuredQueryAsync()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: RunQueryAsync(Query,*,*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
Query query = new Query("book")
{
Filter = Filter.Equal("author", "Jane Austen"),
Limit = 10
};
DatastoreQueryResults results = await db.RunQueryAsync(query);
// RunQuery fetches all the results into memory in a single call.
// Constrast this with RunQueryLazily, which merely prepares an enumerable
// query. Always specify a limit when you use RunQuery, to avoid running
// out of memory.
foreach (Entity entity in results.Entities)
{
Console.WriteLine(entity);
}
// End snippet
// This will run the query again, admittedly...
Assert.Equal(1, results.Entities.Count);
Entity book = results.Entities[0];
Assert.Equal("Jane Austen", (string)book["author"]);
Assert.Equal("Pride and Prejudice", (string)book["title"]);
}
[Fact]
public void EagerGqlQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: RunQuery(GqlQuery,*,*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
GqlQuery gqlQuery = new GqlQuery
{
QueryString = "SELECT * FROM book WHERE author = @author LIMIT @limit",
NamedBindings = {
{ "author", "Jane Austen" },
{ "limit", 10 }
}
};
DatastoreQueryResults results = db.RunQuery(gqlQuery);
// RunQuery fetches all the results into memory in a single call.
// Constrast this with RunQueryLazily, which merely prepares an enumerable
// query. Always specify a limit when you use RunQuery, to avoid running
// out of memory.
foreach (Entity entity in results.Entities)
{
Console.WriteLine(entity);
}
// End snippet
// This will run the query again, admittedly...
Assert.Equal(1, results.Entities.Count);
Entity book = results.Entities[0];
Assert.Equal("Jane Austen", (string)book["author"]);
Assert.Equal("Pride and Prejudice", (string)book["title"]);
}
[Fact]
public async Task EagerGqlQueryAsync()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: RunQueryAsync(GqlQuery,*,*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
GqlQuery gqlQuery = new GqlQuery
{
QueryString = "SELECT * FROM book WHERE author = @author",
NamedBindings = { { "author", "Jane Austen" } },
};
DatastoreQueryResults results = await db.RunQueryAsync(gqlQuery);
// RunQuery fetches all the results into memory in a single call.
// Constrast this with RunQueryLazily, which merely prepares an enumerable
// query. Always specify a limit when you use RunQuery, to avoid running
// out of memory.
foreach (Entity entity in results.Entities)
{
Console.WriteLine(entity);
}
// End snippet
// This will run the query again, admittedly...
Assert.Equal(1, results.Entities.Count);
Entity book = results.Entities[0];
Assert.Equal("Jane Austen", (string)book["author"]);
Assert.Equal("Pride and Prejudice", (string)book["title"]);
}
[Fact]
public void AddEntity_Transactional()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: AddEntity
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("book");
Entity book1 = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Harper Lee",
["title"] = "To Kill a Mockingbird",
["publication_date"] = new DateTime(1960, 7, 11, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Southern drama", "Courtroom drama", "Bildungsroman" }
};
Entity book2 = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Charlotte Brontë",
["title"] = "Jane Eyre",
["publication_date"] = new DateTime(1847, 10, 16, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Gothic", "Romance", "Bildungsroman" }
};
using (DatastoreTransaction transaction = db.BeginTransaction())
{
transaction.Insert(book1, book2);
CommitResponse response = transaction.Commit();
IEnumerable<Key> insertedKeys = response.MutationResults.Select(r => r.Key);
Console.WriteLine($"Inserted keys: {string.Join(",", insertedKeys)}");
}
// End sample
}
[Fact]
public void AddEntity_NonTransactional()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: Insert(Entity[])
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("book");
Entity book1 = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Harper Lee",
["title"] = "To Kill a Mockingbird",
["publication_date"] = new DateTime(1960, 7, 11, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Southern drama", "Courtroom drama", "Bildungsroman" }
};
Entity book2 = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Charlotte Brontë",
["title"] = "Jane Eyre",
["publication_date"] = new DateTime(1847, 10, 16, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Gothic", "Romance", "Bildungsroman" }
};
IReadOnlyList<Key> insertedKeys = db.Insert(book1, book2);
Console.WriteLine($"Inserted keys: {string.Join(",", insertedKeys)}");
// End snippet
}
// See-also: Insert(Entity[])
// Member: Insert(Entity, CallSettings)
// Member: Insert(IEnumerable<Entity>, CallSettings)
// See [Insert](ref) for an example using an alternative overload.
// End see-also
[Fact]
public async Task AddEntity_NonTransactional_Async()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: InsertAsync(*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("book");
Entity book1 = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Harper Lee",
["title"] = "To Kill a Mockingbird",
["publication_date"] = new DateTime(1960, 7, 11, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Southern drama", "Courtroom drama", "Bildungsroman" }
};
Entity book2 = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Charlotte Brontë",
["title"] = "Jane Eyre",
["publication_date"] = new DateTime(1847, 10, 16, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Gothic", "Romance", "Bildungsroman" }
};
IReadOnlyList<Key> insertedKeys = await db.InsertAsync(book1, book2);
Console.WriteLine($"Inserted keys: {string.Join(",", insertedKeys)}");
// End snippet
}
// See-also: InsertAsync(*)
// Member: InsertAsync(Entity, CallSettings)
// Member: InsertAsync(IEnumerable<Entity>, CallSettings)
// See [InsertAsync](ref) for an example using an alternative overload.
// End see-also
[Fact]
public void Update()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: Update(Entity, CallSettings)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("book");
Entity book = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Harper Lee",
["title"] = "Tequila Mockingbird",
["publication_date"] = new DateTime(1960, 7, 11, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Southern drama", "Courtroom drama", "Bildungsroman" }
};
db.Insert(book);
// Correct the typo in memory
book["title"] = "To Kill a Mockingbird";
// Then update the entity in Datastore
db.Update(book);
// End snippet
var fetched = db.Lookup(book.Key);
Assert.Equal("To Kill a Mockingbird", (string) fetched["title"]);
}
// See-also: Update(Entity, CallSettings)
// Member: Update(*)
// Member: Update(IEnumerable<Entity>, *)
// See [Update](ref) for an example using an alternative overload.
// End see-also
// See-also: Update(Entity, CallSettings)
// Member: UpdateAsync(Entity, CallSettings)
// Member: UpdateAsync(*)
// Member: UpdateAsync(IEnumerable<Entity>, *)
// See [Update](ref) for a synchronous example.
// End see-also
[Fact]
public void Upsert()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: Upsert(Entity[])
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("book");
Entity book1 = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Harper Lee",
["title"] = "Tequila Mockingbird",
["publication_date"] = new DateTime(1960, 7, 11, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Southern drama", "Courtroom drama", "Bildungsroman" }
};
db.Insert(book1);
// Correct the typo in memory
book1["title"] = "To Kill a Mockingbird";
Entity book2 = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["author"] = "Charlotte Brontë",
["title"] = "Jane Eyre",
["publication_date"] = new DateTime(1847, 10, 16, 0, 0, 0, DateTimeKind.Utc),
["genres"] = new[] { "Gothic", "Romance", "Bildungsroman" }
};
// Update book1 and insert book2 into Datastore
db.Upsert(book1, book2);
// End snippet
Assert.Equal("To Kill a Mockingbird", (string) db.Lookup(book1.Key)["title"]);
Assert.Equal("Jane Eyre", (string) db.Lookup(book2.Key)["title"]);
}
// See-also: Upsert(*)
// Member: Upsert(Entity, CallSettings)
// Member: Upsert(IEnumerable<Entity>, *)
// See [Upsert](ref) for an example using an alternative overload.
// End see-also
// See-also: Upsert(*)
// Member: UpsertAsync(Entity, CallSettings)
// Member: UpsertAsync(*)
// Member: UpsertAsync(IEnumerable<Entity>, *)
// See [Update](ref) for a synchronous example.
// End see-also
[Fact]
public void DeleteEntity()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: DeleteEntity
// Additional: Delete(Entity, *)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("message");
Entity message = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["text"] = "Hello",
};
db.Insert(message);
Entity fetchedBeforeDeletion = db.Lookup(message.Key);
// Only the key from the entity is used to determine what to delete.
// If you already have the key but not the entity, use Delete(Key, CallSettings) or
// a similar overload.
db.Delete(message);
Entity fetchedAfterDeletion = db.Lookup(message.Key);
Console.WriteLine($"Entity exists before deletion? {fetchedBeforeDeletion != null}");
Console.WriteLine($"Entity exists after deletion? {fetchedAfterDeletion != null}");
// End snippet
Assert.NotNull(fetchedBeforeDeletion);
Assert.Null(fetchedAfterDeletion);
}
// See-also: Delete(Entity, *)
// Member: Delete(Entity[])
// Member: Delete(IEnumerable<Entity>, *)
// See [Delete](ref) for an example using an alternative overload.
// End see-also
// See-also: Delete(Entity, *)
// Member: DeleteAsync(Entity, *)
// Member: DeleteAsync(Entity[])
// Member: DeleteAsync(IEnumerable<Entity>, *)
// See [Delete](ref) for a synchronous example.
// End see-also
[Fact]
public void DeleteKey()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: Delete(Key, *)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("message");
Entity message = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["text"] = "Hello",
};
Key key = db.Insert(message);
Entity fetchedBeforeDeletion = db.Lookup(key);
// Only the key is required to determine what to delete.
// If you have an entity with the right key, you can use Delete(Entity, CallSettings)
// or a similar overload for convenience.
db.Delete(key);
Entity fetchedAfterDeletion = db.Lookup(key);
Console.WriteLine($"Entity exists before deletion? {fetchedBeforeDeletion != null}");
Console.WriteLine($"Entity exists after deletion? {fetchedAfterDeletion != null}");
// End snippet
Assert.NotNull(fetchedBeforeDeletion);
Assert.Null(fetchedAfterDeletion);
}
// See-also: Delete(Key, *)
// Member: Delete(Key[])
// Member: Delete(IEnumerable<Key>, *)
// See [Delete](ref) for an example using an alternative overload.
// End see-also
// See-also: Delete(Key, *)
// Member: DeleteAsync(Key, *)
// Member: DeleteAsync(Key[])
// Member: DeleteAsync(IEnumerable<Key>, *)
// See [Delete](ref) for a synchronous example.
// End see-also
[Fact]
public void AllocateId()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: AllocateId
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("message");
Key key = db.AllocateId(keyFactory.CreateIncompleteKey());
// End snippet
}
[Fact]
public async Task AllocateIdAsync()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: AllocateIdAsync
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("message");
Key key = await db.AllocateIdAsync(keyFactory.CreateIncompleteKey());
// End snippet
}
[Fact]
public void AllocateIds()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: AllocateIds(*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("message");
IReadOnlyList<Key> keys = db.AllocateIds(keyFactory.CreateIncompleteKey(), keyFactory.CreateIncompleteKey());
// End snippet
Assert.Equal(2, keys.Count);
Assert.NotEqual(keys[0], keys[1]);
}
// See-also: AllocateIds(*)
// Member: AllocateIds(*, *)
// See [AllocateIds](ref) for an example using an alternative overload.
// End see-also
[Fact]
public async Task AllocateIdsAsync()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Snippet: AllocateIdsAsync(*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("message");
IReadOnlyList<Key> keys = await db.AllocateIdsAsync(keyFactory.CreateIncompleteKey(), keyFactory.CreateIncompleteKey());
// End snippet
Assert.Equal(2, keys.Count);
Assert.NotEqual(keys[0], keys[1]);
}
// See-also: AllocateIdsAsync(*)
// Member: AllocateIdsAsync(*, *)
// See [AllocateIdsAsync](ref) for an example using an alternative overload.
// End see-also
[Fact]
public void NamespaceQuery()
{
string projectId = _fixture.ProjectId;
// Sample: NamespaceQuery
DatastoreDb db = DatastoreDb.Create(projectId, "");
Query query = new Query(DatastoreConstants.NamespaceKind);
foreach (Entity entity in db.RunQueryLazily(query))
{
Console.WriteLine(entity.Key.Path.Last().Name);
}
// End sample
}
[Fact]
public void KindQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: KindQuery
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
Query query = new Query(DatastoreConstants.KindKind);
foreach (Entity entity in db.RunQueryLazily(query))
{
Console.WriteLine(entity.Key.Path.Last().Name);
}
// End sample
}
[Fact]
public void PropertyQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: PropertyQuery
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
Query query = new Query(DatastoreConstants.PropertyKind);
foreach (Entity entity in db.RunQueryLazily(query))
{
Console.WriteLine(entity.Key.Path.Last().Name);
}
// End sample
}
[Fact]
public void InsertOverview()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: InsertOverview
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("message");
Entity entity = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["created"] = DateTime.UtcNow,
["text"] = "Text of the message",
["tags"] = new[] { "tag1", "tag2" }
};
using (DatastoreTransaction transaction = db.BeginTransaction())
{
transaction.Insert(entity);
CommitResponse commitResponse = transaction.Commit();
Key insertedKey = commitResponse.MutationResults[0].Key;
Console.WriteLine($"Inserted key: {insertedKey}");
// The key is also propagated to the entity
Console.WriteLine($"Entity key: {entity.Key}");
}
// End sample
}
[Fact]
public void QueryOverview()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: QueryOverview
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
// Print the messages created in the last 5 minutes, most recent first
DateTime cutoff = DateTime.UtcNow.AddMinutes(-5);
Query query = new Query("message")
{
Filter = Filter.GreaterThanOrEqual("created", cutoff),
Order = { { "created", Direction.Descending } }
};
foreach (Entity entity in db.RunQueryLazily(query))
{
DateTime created = (DateTime)entity["created"];
string text = (string)entity["text"];
Console.WriteLine($"{created:yyyy-MM-dd'T'HH:mm:ss}: {text}");
}
// End sample
}
// Snippets ported from https://cloud.google.com/datastore/docs/concepts/entities
[Fact]
public void CreateEntity()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: CreateEntity
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("Task");
Entity entity = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["category"] = "Personal",
["done"] = false,
["priority"] = 4,
["description"] = "Learn Cloud Datastore",
["percent_complete"] = 75.0
};
// End sample
}
[Fact]
public void InsertEntity()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: InsertEntity
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("Task");
Entity entity = new Entity
{
Key = keyFactory.CreateIncompleteKey(),
["category"] = "Personal",
["done"] = false,
["priority"] = 4,
["description"] = "Learn Cloud Datastore",
["percent_complete"] = 75.0
};
Key insertedKey = db.Insert(entity);
// End sample
}
[Fact]
public void LookupEntity()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
Key key = _fixture.LearnDatastoreKey;
// Sample: LookupEntity
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
Entity entity = db.Lookup(key);
// End sample
}
[Fact]
public void UpdateEntity()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
Key key = _fixture.LearnDatastoreKey;
// Sample: UpdateEntity
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
using (DatastoreTransaction transaction = db.BeginTransaction())
{
Entity entity = transaction.Lookup(key);
entity["priority"] = 5;
transaction.Update(entity);
transaction.Commit();
}
// End sample
}
// Batch lookup etc are currently obvious given the array creation.
// If we simplify single-entity operations, we may need more snippets here.
[Fact]
public void AncestorPaths()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: AncestorPaths
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("User");
Key taskKey = keyFactory.CreateKey("alice").WithElement("Task", "sampleTask");
Key multiLevelKey = keyFactory
.CreateKey("alice")
.WithElement("TaskList", "default")
.WithElement("Task", "sampleTask");
// End sample
}
[Fact]
public void ArrayProperties()
{
// Sample: ArrayProperties
Entity entity = new Entity
{
["tags"] = new[] { "fun", "programming" },
["collaborators"] = new[] { "alice", "bob" }
};
// End sample
}
// Snippets ported from https://cloud.google.com/datastore/docs/concepts/queries
[Fact(Skip = "Requires composite index configuration")]
public void CompositeFilterQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: CompositeFilter
Query query = new Query("Task")
{
Filter = Filter.And(
Filter.Equal("done", false),
Filter.GreaterThanOrEqual("priority", 4)
),
Order = { { "priority", Direction.Descending } },
};
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
foreach (Entity entity in db.RunQueryLazily(query))
{
Console.WriteLine((string)entity["description"]);
}
// TODO: Results beyond this batch?
// End sample
}
[Fact]
public void KeyQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: KeyQuery
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("Task");
Query query = new Query("Task")
{
Filter = Filter.GreaterThan(DatastoreConstants.KeyProperty, keyFactory.CreateKey("someTask"))
};
// End sample
}
[Fact]
public void AncestorQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: AncestorQuery
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("Task");
Query query = new Query("Task")
{
Filter = Filter.HasAncestor(keyFactory.CreateKey("someTask"))
};
// End sample
}
[Fact]
public void KindlessQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: KindlessQuery
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory keyFactory = db.CreateKeyFactory("Task");
Key lastSeenKey = keyFactory.CreateKey(100L);
Query query = new Query
{
Filter = Filter.GreaterThan(DatastoreConstants.KeyProperty, lastSeenKey)
};
// End sample
}
[Fact]
public void KeysOnlyQuery()
{
// Sample: KeysOnlyQuery
Query query = new Query("Task")
{
Projection = { DatastoreConstants.KeyProperty }
};
// End sample
}
[Fact(Skip = "Requires composite index configuration")]
public void ProjectionQuery()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
// Sample: ProjectionQuery
Query query = new Query("Task")
{
Projection = { "priority", "percentage_complete" }
};
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
foreach (Entity entity in db.RunQueryLazily(query))
{
Console.WriteLine($"{(int)entity["priority"]}: {(double?)entity["percentage_complete"]}");
}
// End sample
}
[Fact]
public void GroupingQuery()
{
// Sample: GroupingQuery
Query query = new Query("Task")
{
Projection = { "category", "priority" },
DistinctOn = { "category" },
Order =
{
"category", // If only the name is specified, it's implicitly ascending
{ "priority", Direction.Ascending } // Either direction can be specified explicitly
}
};
// End sample
}
[Fact]
public void ArrayQueryComparison()
{
// Sample: ArrayQuery
Query query = new Query("Task")
{
Filter = Filter.And(
Filter.GreaterThan("tag", "learn"),
Filter.LessThan("tag", "math")
)
};
// End sample
}
[Fact]
public void ArrayQueryEquality()
{
// Sample: ArrayQuery
Query query = new Query("Task")
{
Filter = Filter.And(
Filter.GreaterThan("equal", "fun"),
Filter.LessThan("equal", "programming")
)
};
// End sample
}
[Fact]
public void PaginateWithCursor()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
ByteString pageCursor = null;
int pageSize = 5;
// Sample: PaginateWithCursor
Query query = new Query("Task") { Limit = pageSize, StartCursor = pageCursor ?? ByteString.Empty };
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
DatastoreQueryResults results = db.RunQueryLazily(query, ReadConsistency.Eventual).GetAllResults();
foreach (Entity entity in results.Entities)
{
// Do something with the task entity
}
if (results.MoreResults == MoreResultsType.MoreResultsAfterLimit)
{
ByteString nextPageCursor = results.EndCursor;
// Store nextPageCursor to get the next page later.
}
// End sample
}
[Fact]
public void OrderingWithInequalityFilter()
{
// Sample: OrderingWithInequalityFilter
Query query = new Query("Task")
{
Filter = Filter.GreaterThan("priority", 3),
// The "priority" property must be sorted first, as it is in the inequality filter
Order = { "priority", "created" },
};
// End sample
}
// Snippets ported from https://cloud.google.com/datastore/docs/concepts/transactions
[Fact]
public void TransactionReadAndWrite()
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
long amount = 1000L;
Key fromKey = CreateAccount("Jill", 20000L);
Key toKey = CreateAccount("Beth", 15500L);
// Sample: TransactionReadAndWrite
// Additional: BeginTransaction(*)
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
using (DatastoreTransaction transaction = db.BeginTransaction())
{
// The return value from DatastoreTransaction.Get contains the fetched entities
// in the same order as they are in the call.
IReadOnlyList<Entity> entities = transaction.Lookup(fromKey, toKey);
Entity from = entities[0];
Entity to = entities[1];
from["balance"] = (long)from["balance"] - amount;
to["balance"] = (long)to["balance"] - amount;
transaction.Update(from);
transaction.Update(to);
transaction.Commit();
}
// End sample
}
// See-also: BeginTransaction(*)
// Member: BeginTransactionAsync(*)
// See [BeginTransaction](ref) for an example of the synchronous equivalent of this method.
// End see-also
// Used by TransactionReadAndWrite. Could promote to the fixture.
private Key CreateAccount(string name, long balance)
{
string projectId = _fixture.ProjectId;
string namespaceId = _fixture.NamespaceId;
DatastoreDb db = DatastoreDb.Create(projectId, namespaceId);
KeyFactory factory = db.CreateKeyFactory("Account");
Entity entity = new Entity
{
Key = factory.CreateIncompleteKey(),
["name"] = name,
["balance"] = balance
};
return db.Insert(entity);
}
}
}
| 38.600862 | 132 | 0.550528 | [
"Apache-2.0"
] | Acidburn0zzz/google-cloud-dotnet | apis/Google.Cloud.Datastore.V1/Google.Cloud.Datastore.V1.Snippets/DatastoreDbSnippets.cs | 44,783 | C# |
using Microsoft.EntityFrameworkCore.Migrations;
namespace Abp.VueDemo.Migrations
{
public partial class Upgraded_To_Abp_2_1_0 : Migration
{
protected override void Up(MigrationBuilder migrationBuilder)
{
migrationBuilder.DropForeignKey(
name: "FK_AbpRoleClaims_AbpRoles_UserId",
table: "AbpRoleClaims");
migrationBuilder.DropIndex(
name: "IX_AbpRoleClaims_UserId",
table: "AbpRoleClaims");
migrationBuilder.DropColumn(
name: "UserId",
table: "AbpRoleClaims");
migrationBuilder.AddColumn<bool>(
name: "IsDisabled",
table: "AbpLanguages",
nullable: false,
defaultValue: false);
migrationBuilder.AddForeignKey(
name: "FK_AbpRoleClaims_AbpRoles_RoleId",
table: "AbpRoleClaims",
column: "RoleId",
principalTable: "AbpRoles",
principalColumn: "Id",
onDelete: ReferentialAction.Cascade);
}
protected override void Down(MigrationBuilder migrationBuilder)
{
migrationBuilder.DropForeignKey(
name: "FK_AbpRoleClaims_AbpRoles_RoleId",
table: "AbpRoleClaims");
migrationBuilder.DropColumn(
name: "IsDisabled",
table: "AbpLanguages");
migrationBuilder.AddColumn<int>(
name: "UserId",
table: "AbpRoleClaims",
nullable: true);
migrationBuilder.CreateIndex(
name: "IX_AbpRoleClaims_UserId",
table: "AbpRoleClaims",
column: "UserId");
migrationBuilder.AddForeignKey(
name: "FK_AbpRoleClaims_AbpRoles_UserId",
table: "AbpRoleClaims",
column: "UserId",
principalTable: "AbpRoles",
principalColumn: "Id",
onDelete: ReferentialAction.Restrict);
}
}
}
| 32.318182 | 71 | 0.54196 | [
"MIT"
] | freeradius-xx/Abp.VueDemo | aspnet-core/src/Abp.VueDemo.EntityFrameworkCore/Migrations/20170608053244_Upgraded_To_Abp_2_1_0.cs | 2,135 | C# |
#region Copyright & License
/*
Copyright (c) 2022, Integrated Solutions, Inc.
All rights reserved.
Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.
* Neither the name of the Integrated Solutions, Inc. nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
#endregion
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ISI.Extensions.Jenkins.DataTransferObjects.JenkinsApi
{
public partial class GetJobConfigXmlResponse
{
public string ConfigXml { get; set; }
}
} | 65.357143 | 754 | 0.80765 | [
"BSD-3-Clause"
] | ISI-Extensions/ISI.Extensions | src/ISI.Extensions.Jenkins/DataTransferObjects/JenkinsApi/GetJobConfigXmlResponse.cs | 1,830 | C# |
using System;
using System.Globalization;
using System.Linq;
using System.Text;
namespace IronBug.Helpers
{
public static class StringHelper
{
public static string Truncate(this string input, int length, bool concatWithReticences = true)
{
if (input == null)
return string.Empty;
if (input.Length <= length)
return input;
input = input.Substring(0, length);
if (concatWithReticences)
input += "...";
return input;
}
public static string ReplaceFirstOccurance(this string source, string find, string replace)
{
var startIndex = source.IndexOf(find, StringComparison.Ordinal);
return source.Remove(startIndex, find.Length).Insert(startIndex, replace);
}
public static string ReplaceLastOccurance(this string source, string find, string replace)
{
var startIndex = source.LastIndexOf(find, StringComparison.Ordinal);
return startIndex > 0 ? source.Remove(startIndex, find.Length).Insert(startIndex, replace) : source;
}
public static string ToLowerFirstLetter(this string input)
{
if (string.IsNullOrWhiteSpace(input))
return string.Empty;
return input.Substring(0, 1).ToLower() + input.Substring(1);
}
public static string ToUpperFirstLetter(this string input, bool onlyFirstLetterUpper = true)
{
if (string.IsNullOrEmpty(input))
return string.Empty;
if (onlyFirstLetterUpper)
input = input.ToLower();
return input.Substring(0, 1).ToUpper() + input.Substring(1);
}
public static string RemoveAccents(this string input)
{
if (string.IsNullOrWhiteSpace(input))
return input;
var str = input.Normalize(NormalizationForm.FormD);
var stringBuilder = new StringBuilder(input.Length);
foreach (var ch in str.Where(ch => CharUnicodeInfo.GetUnicodeCategory(ch) != UnicodeCategory.NonSpacingMark))
{
stringBuilder.Append(ch);
}
return stringBuilder.ToString().Normalize(NormalizationForm.FormC);
}
public static string Nl2Br(this string input)
{
return input.Replace("\r\n", "<br />").Replace("\n", "<br />");
}
}
} | 33.2 | 121 | 0.593976 | [
"MIT"
] | erickeek/IronBug | IronBug.Helpers.Shared/StringHelper.cs | 2,492 | C# |
Subsets and Splits