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 |
---|---|---|---|---|---|---|---|---|
/******************************************************************************
Copyright (c) 2015 Koray Kiyakoglu
http://www.swarm2d.com
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.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("Swarm2D.Starter")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("Swarm2D.Starter")]
[assembly: AssemblyCopyright("Copyright © 2013")]
[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("0eb01cee-30a7-4e91-bced-60148b0f93b9")]
// 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 Build and Revision Numbers
// by using the '*' as shown below:
// [assembly: AssemblyVersion("1.0.*")]
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.0.0.0")]
| 42.709677 | 84 | 0.723565 | [
"MIT"
] | kiyakkoray/Swarm2D | Source/Swarm2D.Starter/Properties/AssemblyInfo.cs | 2,651 | C# |
// <auto-generated />
using FeedbackApi.Models;
using Microsoft.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore.Infrastructure;
using Microsoft.EntityFrameworkCore.Metadata;
using Microsoft.EntityFrameworkCore.Migrations;
using Microsoft.EntityFrameworkCore.Storage;
using Microsoft.EntityFrameworkCore.Storage.Internal;
using System;
namespace FeedbackApi.Migrations
{
[DbContext(typeof(FeedbackContext))]
[Migration("20171116124826_InitialCreate")]
partial class InitialCreate
{
protected override void BuildTargetModel(ModelBuilder modelBuilder)
{
#pragma warning disable 612, 618
modelBuilder
.HasAnnotation("ProductVersion", "2.0.1-rtm-125");
modelBuilder.Entity("FeedbackApi.Models.Feedback", b =>
{
b.Property<int>("Id")
.ValueGeneratedOnAdd();
b.Property<DateTime>("Date");
b.Property<bool>("IsPositive");
b.HasKey("Id");
b.ToTable("Feedbacks");
});
#pragma warning restore 612, 618
}
}
}
| 28.825 | 75 | 0.631396 | [
"MIT"
] | s-matic/f-app | FeedbackApi/Migrations/20171116124826_InitialCreate.Designer.cs | 1,155 | C# |
using System;
using System.Collections.Generic;
using System.Runtime.CompilerServices;
namespace Redaction
{
internal static class StringExtensions
{
internal static string ReplaceAny(this string s, string redactionString, params string[] stringsToRedact)
{
return ReplaceAny(s, redactionString, stringsToRedact as IEnumerable<string>);
}
internal static string ReplaceAny(this string s, string redactionString, IEnumerable<string> stringsToRedact)
{
foreach (var stringToRedact in stringsToRedact)
{
s = s.Replace(stringToRedact, redactionString);
}
return s;
}
}
}
| 25.125 | 111 | 0.766169 | [
"MIT"
] | cwchapma/Redactor | src/Redactor/StringExtensions.cs | 603 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace x86
{
public class WordRegister
{
public byte HI { get; set; }
public byte LO { get; set; }
public WordRegister()
{
HI = 0;
LO = 0;
}
public WordRegister(ushort data)
{
Value = data;
}
public WordRegister(byte hi, byte lo)
{
HI = hi;
LO = lo;
}
public ushort Value
{
get
{
return (ushort)(((uint)HI << 8 | (uint)LO) & 0xffff);
}
set
{
HI = (byte)(value >> 8);
LO = (byte)(value & 0x00ff);
}
}
public override string ToString()
{
return Value.ToString("X4");
}
// Implicit type conversion
public static implicit operator ushort(WordRegister reg)
{
return reg.Value;
}
public static implicit operator uint(WordRegister reg)
{
return reg.Value;
}
}
}
| 19.721311 | 69 | 0.451372 | [
"MIT"
] | Toqelle/x86Sim | x86Sim/x86/WordRegister.cs | 1,205 | C# |
namespace AeroSharp.Examples.Utilities
{
internal static class ExamplesConfiguration
{
public const string AerospikeNamespace = "test_namespace";
}
}
| 22.25 | 67 | 0.696629 | [
"Apache-2.0"
] | AlexKarlVoskuil/AeroSharp | examples/AeroSharp.Examples/Utilities/ExamplesConfiguration.cs | 180 | 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.Linq;
using Microsoft.Data.DataView;
using Microsoft.ML.Data;
using Microsoft.ML.Internal.Utilities;
using Microsoft.ML.RunTests;
using Microsoft.ML.Trainers;
using Xunit;
using Xunit.Abstractions;
namespace Microsoft.ML.Tests
{
public class PermutationFeatureImportanceTests : BaseTestPredictors
{
public PermutationFeatureImportanceTests(ITestOutputHelper output) : base(output)
{
}
#region Regression Tests
/// <summary>
/// Test PFI Regression for Dense Features
/// </summary>
[Fact]
public void TestPfiRegressionOnDenseFeatures()
{
var data = GetDenseDataset();
var model = ML.Regression.Trainers.OnlineGradientDescent().Fit(data);
var pfi = ML.Regression.PermutationFeatureImportance(model, data);
// Pfi Indices:
// X1: 0
// X2Important: 1
// X3: 2
// X4Rand: 3
// For the following metrics lower is better, so maximum delta means more important feature, and vice versa
Assert.Equal(3, MinDeltaIndex(pfi, m => m.MeanAbsoluteError.Mean));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.MeanAbsoluteError.Mean));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.MeanSquaredError.Mean));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.MeanSquaredError.Mean));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.RootMeanSquaredError.Mean));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.RootMeanSquaredError.Mean));
// For the following metrics higher is better, so minimum delta means more important feature, and vice versa
Assert.Equal(1, MinDeltaIndex(pfi, m => m.RSquared.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.RSquared.Mean));
Done();
}
/// <summary>
/// Test PFI Regression Standard Deviation and Standard Error for Dense Features
/// </summary>
[Fact]
public void TestPfiRegressionStandardDeviationAndErrorOnDenseFeatures()
{
var data = GetDenseDataset();
var model = ML.Regression.Trainers.OnlineGradientDescent().Fit(data);
var pfi = ML.Regression.PermutationFeatureImportance(model, data, permutationCount: 20);
// Keep the permutation count high so fluctuations are kept to a minimum
// but not high enough to slow down the tests
// (fluctuations lead to random test failures)
// Pfi Indices:
// X1: 0
// X2Important: 1
// X3: 2
// X4Rand: 3
// For these metrics, the magnitude of the difference will be greatest for 1, least for 3
// Stardard Deviation will scale with the magnitude of the measure
Assert.Equal(3, MinDeltaIndex(pfi, m => m.MeanAbsoluteError.StandardDeviation));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.MeanAbsoluteError.StandardDeviation));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.MeanSquaredError.StandardDeviation));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.MeanSquaredError.StandardDeviation));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.RootMeanSquaredError.StandardDeviation));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.RootMeanSquaredError.StandardDeviation));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.RSquared.StandardDeviation));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.RSquared.StandardDeviation));
// Stardard Error will scale with the magnitude of the measure (as it's SD/sqrt(N))
Assert.Equal(3, MinDeltaIndex(pfi, m => m.MeanAbsoluteError.StandardError));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.MeanAbsoluteError.StandardError));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.MeanSquaredError.StandardError));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.MeanSquaredError.StandardError));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.RootMeanSquaredError.StandardError));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.RootMeanSquaredError.StandardError));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.RSquared.StandardError));
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.RSquared.StandardError));
// And test that the Standard Deviation and Standard Error are related as we expect
Assert.Equal(pfi[0].RootMeanSquaredError.StandardError, pfi[0].RootMeanSquaredError.StandardDeviation / Math.Sqrt(pfi[0].RootMeanSquaredError.Count));
Done();
}
/// <summary>
/// Test PFI Regression for Sparse Features
/// </summary>
[Fact]
public void TestPfiRegressionOnSparseFeatures()
{
var data = GetSparseDataset();
var model = ML.Regression.Trainers.OnlineGradientDescent().Fit(data);
var results = ML.Regression.PermutationFeatureImportance(model, data);
// Pfi Indices:
// X1: 0
// X2VBuffer-Slot-0: 1
// X2VBuffer-Slot-1: 2
// X2VBuffer-Slot-2: 3
// X2VBuffer-Slot-3: 4
// X3Important: 5
// Permuted X2VBuffer-Slot-1 lot (f2) should have min impact on SGD metrics, X3Important -- max impact.
// For the following metrics lower is better, so maximum delta means more important feature, and vice versa
Assert.Equal(2, MinDeltaIndex(results, m => m.MeanAbsoluteError.Mean));
Assert.Equal(5, MaxDeltaIndex(results, m => m.MeanAbsoluteError.Mean));
Assert.Equal(2, MinDeltaIndex(results, m => m.MeanSquaredError.Mean));
Assert.Equal(5, MaxDeltaIndex(results, m => m.MeanSquaredError.Mean));
Assert.Equal(2, MinDeltaIndex(results, m => m.RootMeanSquaredError.Mean));
Assert.Equal(5, MaxDeltaIndex(results, m => m.RootMeanSquaredError.Mean));
// For the following metrics higher is better, so minimum delta means more important feature, and vice versa
Assert.Equal(2, MaxDeltaIndex(results, m => m.RSquared.Mean));
Assert.Equal(5, MinDeltaIndex(results, m => m.RSquared.Mean));
}
#endregion
#region Binary Classification Tests
/// <summary>
/// Test PFI Binary Classification for Dense Features
/// </summary>
[Fact]
public void TestPfiBinaryClassificationOnDenseFeatures()
{
var data = GetDenseDataset(TaskType.BinaryClassification);
var model = ML.BinaryClassification.Trainers.LogisticRegression(
new LogisticRegressionBinaryClassificationTrainer.Options { NumberOfThreads = 1 }).Fit(data);
var pfi = ML.BinaryClassification.PermutationFeatureImportance(model, data);
// Pfi Indices:
// X1: 0
// X2Important: 1
// X3: 2
// X4Rand: 3
// For the following metrics higher is better, so minimum delta means more important feature, and vice versa
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.AreaUnderRocCurve.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.AreaUnderRocCurve.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.Accuracy.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.Accuracy.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.PositivePrecision.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.PositivePrecision.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.PositiveRecall.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.PositiveRecall.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.NegativePrecision.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.NegativePrecision.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.NegativeRecall.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.NegativeRecall.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.F1Score.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.F1Score.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.AreaUnderPrecisionRecallCurve.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.AreaUnderPrecisionRecallCurve.Mean));
Done();
}
/// <summary>
/// Test PFI Binary Classification for Sparse Features
/// </summary>
[Fact]
public void TestPfiBinaryClassificationOnSparseFeatures()
{
var data = GetSparseDataset(TaskType.BinaryClassification);
var model = ML.BinaryClassification.Trainers.LogisticRegression(
new LogisticRegressionBinaryClassificationTrainer.Options { NumberOfThreads = 1 }).Fit(data);
var pfi = ML.BinaryClassification.PermutationFeatureImportance(model, data);
// Pfi Indices:
// X1: 0
// X2VBuffer-Slot-0: 1
// X2VBuffer-Slot-1: 2
// X2VBuffer-Slot-2: 3
// X2VBuffer-Slot-3: 4
// X3Important: 5
// For the following metrics higher is better, so minimum delta means more important feature, and vice versa
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.AreaUnderRocCurve.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.AreaUnderRocCurve.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.Accuracy.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.Accuracy.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.PositivePrecision.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.PositivePrecision.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.PositiveRecall.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.PositiveRecall.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.NegativePrecision.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.NegativePrecision.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.NegativeRecall.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.NegativeRecall.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.F1Score.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.F1Score.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.AreaUnderPrecisionRecallCurve.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.AreaUnderPrecisionRecallCurve.Mean));
Done();
}
#endregion
#region Multiclass Classification Tests
/// <summary>
/// Test PFI Multiclass Classification for Dense Features
/// </summary>
[Fact]
public void TestPfiMulticlassClassificationOnDenseFeatures()
{
var data = GetDenseDataset(TaskType.MulticlassClassification);
var model = ML.MulticlassClassification.Trainers.LogisticRegression().Fit(data);
var pfi = ML.MulticlassClassification.PermutationFeatureImportance(model, data);
// Pfi Indices:
// X1: 0
// X2Important: 1
// X3: 2
// X4Rand: 3
// For the following metrics higher is better, so minimum delta means more important feature, and vice versa
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.MicroAccuracy.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.MicroAccuracy.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.MacroAccuracy.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.MacroAccuracy.Mean));
Assert.Equal(3, MaxDeltaIndex(pfi, m => m.LogLossReduction.Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.LogLossReduction.Mean));
// For the following metrics-delta lower is better, so maximum delta means more important feature, and vice versa
// Because they are _negative_, the difference will be positive for worse classifiers.
Assert.Equal(1, MaxDeltaIndex(pfi, m => m.LogLoss.Mean));
Assert.Equal(3, MinDeltaIndex(pfi, m => m.LogLoss.Mean));
for (int i = 0; i < pfi[0].PerClassLogLoss.Count; i++)
{
Assert.True(MaxDeltaIndex(pfi, m => m.PerClassLogLoss[i].Mean) == 1);
Assert.True(MinDeltaIndex(pfi, m => m.PerClassLogLoss[i].Mean) == 3);
}
Done();
}
/// <summary>
/// Test PFI Multiclass Classification for Sparse Features
/// </summary>
[Fact]
public void TestPfiMulticlassClassificationOnSparseFeatures()
{
var data = GetSparseDataset(TaskType.MulticlassClassification);
var model = ML.MulticlassClassification.Trainers.LogisticRegression(
new LogisticRegressionMulticlassClassificationTrainer.Options { MaximumNumberOfIterations = 1000 }).Fit(data);
var pfi = ML.MulticlassClassification.PermutationFeatureImportance(model, data);
// Pfi Indices:
// X1: 0
// X2VBuffer-Slot-0: 1
// X2VBuffer-Slot-1: 2 // Least important
// X2VBuffer-Slot-2: 3
// X2VBuffer-Slot-3: 4
// X3Important: 5 // Most important
// For the following metrics higher is better, so minimum delta means more important feature, and vice versa
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.MicroAccuracy.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.MicroAccuracy.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.MacroAccuracy.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.MacroAccuracy.Mean));
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.LogLossReduction.Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.LogLossReduction.Mean));
// For the following metrics-delta lower is better, so maximum delta means more important feature, and vice versa
// Because they are negative metrics, the _difference_ will be positive for worse classifiers.
Assert.Equal(5, MaxDeltaIndex(pfi, m => m.LogLoss.Mean));
Assert.Equal(2, MinDeltaIndex(pfi, m => m.LogLoss.Mean));
for (int i = 0; i < pfi[0].PerClassLogLoss.Count; i++)
{
Assert.Equal(5, MaxDeltaIndex(pfi, m => m.PerClassLogLoss[i].Mean));
Assert.Equal(2, MinDeltaIndex(pfi, m => m.PerClassLogLoss[i].Mean));
}
Done();
}
#endregion
#region Ranking Tests
/// <summary>
/// Test PFI Multiclass Classification for Dense Features
/// </summary>
[Fact]
public void TestPfiRankingOnDenseFeatures()
{
var data = GetDenseDataset(TaskType.Ranking);
var model = ML.Ranking.Trainers.FastTree().Fit(data);
var pfi = ML.Ranking.PermutationFeatureImportance(model, data);
// Pfi Indices:
// X1: 0 // For Ranking, this column won't result in misorderings
// X2Important: 1
// X3: 2
// X4Rand: 3
// For the following metrics higher is better, so minimum delta means more important feature, and vice versa
for (int i = 0; i < pfi[0].DiscountedCumulativeGains.Count; i++)
{
Assert.Equal(0, MaxDeltaIndex(pfi, m => m.DiscountedCumulativeGains[i].Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.DiscountedCumulativeGains[i].Mean));
}
for (int i = 0; i < pfi[0].NormalizedDiscountedCumulativeGains.Count; i++)
{
Assert.Equal(0, MaxDeltaIndex(pfi, m => m.NormalizedDiscountedCumulativeGains[i].Mean));
Assert.Equal(1, MinDeltaIndex(pfi, m => m.NormalizedDiscountedCumulativeGains[i].Mean));
}
Done();
}
/// <summary>
/// Test PFI Multiclass Classification for Sparse Features
/// </summary>
[Fact]
public void TestPfiRankingOnSparseFeatures()
{
var data = GetSparseDataset(TaskType.Ranking);
var model = ML.Ranking.Trainers.FastTree().Fit(data);
var pfi = ML.Ranking.PermutationFeatureImportance(model, data);
// Pfi Indices:
// X1: 0
// X2VBuffer-Slot-0: 1
// X2VBuffer-Slot-1: 2 // Least important
// X2VBuffer-Slot-2: 3
// X2VBuffer-Slot-3: 4
// X3Important: 5 // Most important
// For the following metrics higher is better, so minimum delta means more important feature, and vice versa
for (int i = 0; i < pfi[0].DiscountedCumulativeGains.Count; i++)
{
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.DiscountedCumulativeGains[i].Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.DiscountedCumulativeGains[i].Mean));
}
for (int i = 0; i < pfi[0].NormalizedDiscountedCumulativeGains.Count; i++)
{
Assert.Equal(2, MaxDeltaIndex(pfi, m => m.NormalizedDiscountedCumulativeGains[i].Mean));
Assert.Equal(5, MinDeltaIndex(pfi, m => m.NormalizedDiscountedCumulativeGains[i].Mean));
}
Done();
}
#endregion
#region Helpers
/// <summary>
/// Features: x1, x2, x3, xRand; y = 10*x1 + 20x2 + 5.5x3 + e, xRand- random and Label y is to dependant on xRand.
/// xRand has the least importance: Evaluation metrics do not change a lot when xRand is permuted.
/// x2 has the biggest importance.
/// </summary>
private IDataView GetDenseDataset(TaskType task = TaskType.Regression)
{
// Setup synthetic dataset.
const int numberOfInstances = 1000;
var rand = new Random(10);
float[] yArray = new float[numberOfInstances],
x1Array = new float[numberOfInstances],
x2Array = new float[numberOfInstances],
x3Array = new float[numberOfInstances],
x4RandArray = new float[numberOfInstances];
for (var i = 0; i < numberOfInstances; i++)
{
var x1 = rand.Next(1000);
x1Array[i] = x1;
var x2Important = rand.Next(10000);
x2Array[i] = x2Important;
var x3 = rand.Next(5000);
x3Array[i] = x3;
var x4Rand = rand.Next(1000);
x4RandArray[i] = x4Rand;
var noise = rand.Next(50);
yArray[i] = (float)(10 * x1 + 20 * x2Important + 5.5 * x3 + noise);
}
// If binary classification, modify the labels
if (task == TaskType.BinaryClassification ||
task == TaskType.MulticlassClassification)
GetBinaryClassificationLabels(yArray);
else if (task == TaskType.Ranking)
GetRankingLabels(yArray);
// Create data view.
var bldr = new ArrayDataViewBuilder(Env);
bldr.AddColumn("X1", NumberDataViewType.Single, x1Array);
bldr.AddColumn("X2Important", NumberDataViewType.Single, x2Array);
bldr.AddColumn("X3", NumberDataViewType.Single, x3Array);
bldr.AddColumn("X4Rand", NumberDataViewType.Single, x4RandArray);
bldr.AddColumn("Label", NumberDataViewType.Single, yArray);
if (task == TaskType.Ranking)
bldr.AddColumn("GroupId", NumberDataViewType.UInt32, CreateGroupIds(yArray.Length));
var srcDV = bldr.GetDataView();
var pipeline = ML.Transforms.Concatenate("Features", "X1", "X2Important", "X3", "X4Rand")
.Append(ML.Transforms.Normalize("Features"));
if (task == TaskType.BinaryClassification)
return pipeline.Append(ML.Transforms.Conversion.ConvertType("Label", outputKind: DataKind.Boolean))
.Fit(srcDV).Transform(srcDV);
else if (task == TaskType.MulticlassClassification)
return pipeline.Append(ML.Transforms.Conversion.MapValueToKey("Label"))
.Fit(srcDV).Transform(srcDV);
else if (task == TaskType.Ranking)
return pipeline.Append(ML.Transforms.Conversion.MapValueToKey("GroupId"))
.Fit(srcDV).Transform(srcDV);
return pipeline.Fit(srcDV).Transform(srcDV);
}
/// <summary>
/// Features: x1, x2vBuff(sparce vector), x3.
/// y = 10x1 + 10x2vBuff + 30x3 + e.
/// Within xBuff feature 2nd slot will be sparse most of the time.
/// 2nd slot of xBuff has the least importance: Evaluation metrics do not change a lot when this slot is permuted.
/// x2 has the biggest importance.
/// </summary>
private IDataView GetSparseDataset(TaskType task = TaskType.Regression)
{
// Setup synthetic dataset.
const int numberOfInstances = 10000;
var rand = new Random(10);
float[] yArray = new float[numberOfInstances],
x1Array = new float[numberOfInstances],
x3Array = new float[numberOfInstances];
VBuffer<float>[] vbArray = new VBuffer<float>[numberOfInstances];
for (var i = 0; i < numberOfInstances; i++)
{
var x1 = rand.Next(1000);
x1Array[i] = x1;
var x3Important = rand.Next(10000);
x3Array[i] = x3Important;
VBuffer<float> vb;
if (i % 10 != 0)
{
vb = new VBuffer<float>(4, 3, new float[] { rand.Next(1000), rand.Next(1000), rand.Next(1000) }, new int[] { 0, 2, 3 });
}
else
{
vb = new VBuffer<float>(4, 4, new float[] { rand.Next(1000), rand.Next(1000), rand.Next(1000), rand.Next(1000) }, new int[] { 0, 1, 2, 3 });
}
vbArray[i] = vb;
float vbSum = 0;
foreach (var vbValue in vb.DenseValues())
{
vbSum += vbValue * 10;
}
var noise = rand.Next(50);
yArray[i] = 10 * x1 + vbSum + 20 * x3Important + noise;
}
// If binary classification, modify the labels
if (task == TaskType.BinaryClassification ||
task == TaskType.MulticlassClassification)
GetBinaryClassificationLabels(yArray);
else if (task == TaskType.Ranking)
GetRankingLabels(yArray);
// Create data view.
var bldr = new ArrayDataViewBuilder(Env);
bldr.AddColumn("X1", NumberDataViewType.Single, x1Array);
bldr.AddColumn("X2VBuffer", NumberDataViewType.Single, vbArray);
bldr.AddColumn("X3Important", NumberDataViewType.Single, x3Array);
bldr.AddColumn("Label", NumberDataViewType.Single, yArray);
if (task == TaskType.Ranking)
bldr.AddColumn("GroupId", NumberDataViewType.UInt32, CreateGroupIds(yArray.Length));
var srcDV = bldr.GetDataView();
var pipeline = ML.Transforms.Concatenate("Features", "X1", "X2VBuffer", "X3Important")
.Append(ML.Transforms.Normalize("Features"));
if (task == TaskType.BinaryClassification)
{
return pipeline.Append(ML.Transforms.Conversion.ConvertType("Label", outputKind: DataKind.Boolean))
.Fit(srcDV).Transform(srcDV);
}
else if (task == TaskType.MulticlassClassification)
{
return pipeline.Append(ML.Transforms.Conversion.MapValueToKey("Label"))
.Fit(srcDV).Transform(srcDV);
}
else if (task == TaskType.Ranking)
return pipeline.Append(ML.Transforms.Conversion.MapValueToKey("GroupId"))
.Fit(srcDV).Transform(srcDV);
return pipeline.Fit(srcDV).Transform(srcDV);
}
private int MinDeltaIndex<T>(
ImmutableArray<T> metricsDelta,
Func<T, double> metricSelector)
{
var min = metricsDelta.OrderBy(m => metricSelector(m)).First();
return metricsDelta.IndexOf(min);
}
private int MaxDeltaIndex<T>(
ImmutableArray<T> metricsDelta,
Func<T, double> metricSelector)
{
var max = metricsDelta.OrderByDescending(m => metricSelector(m)).First();
return metricsDelta.IndexOf(max);
}
private void GetBinaryClassificationLabels(float[] rawScores)
{
float averageScore = GetArrayAverage(rawScores);
// Center the response and then take the sigmoid to generate the classes
for (int i = 0; i < rawScores.Length; i++)
rawScores[i] = MathUtils.Sigmoid(rawScores[i] - averageScore) > 0.5 ? 1 : 0;
}
private void GetRankingLabels(float[] rawScores)
{
var min = MathUtils.Min(rawScores);
var max = MathUtils.Max(rawScores);
for (int i = 0; i < rawScores.Length; i++)
{
// Bin from [zero,one), then expand out to [0,5) and truncate
rawScores[i] = (int)(5 * (rawScores[i] - min) / (max - min));
if (rawScores[i] == 5)
rawScores[i] = 4;
}
}
private float GetArrayAverage(float[] scores)
{
// Compute the average so we can center the response
float averageScore = 0.0f;
for (int i = 0; i < scores.Length; i++)
averageScore += scores[i];
averageScore /= scores.Length;
return averageScore;
}
private uint[] CreateGroupIds(int numRows, int rowsPerGroup = 5)
{
var groupIds = new uint[numRows];
// Construct groups of rowsPerGroup using a modulo counter
uint group = 0;
for (int i = 0; i < groupIds.Length; i++)
{
if (i % rowsPerGroup == 0)
group++;
groupIds[i] = group;
}
return groupIds;
}
private enum TaskType
{
Regression,
BinaryClassification,
MulticlassClassification,
Ranking
}
#endregion
}
} | 45.283082 | 162 | 0.58763 | [
"MIT"
] | taleebanwar/machinelearning | test/Microsoft.ML.Tests/PermutationFeatureImportanceTests.cs | 27,036 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using OpenQA.Selenium;
using SeleniumExtras.PageObjects;
using OpenQA.Selenium.Support.UI;
using System.Threading;
using NUnit.Framework;
using OpenQA.Selenium.Remote;
using SELENIUM_New.PageObjects;
using OpenQA.Selenium.Chrome;
namespace SELENIUM_New
{
class Program
{
//Scenario 1
// 1. Go to http://automationpractice.com/
// 2. Enter "T Shirt" in search field and click button Search
// 3. Select blue color of the product
// 4. Click on the button "Send to a friend"
// 5. Input name "Ann", and email "[email protected]" on popup window, and click button send
// 6. Verify, pop up window with notice "Your e-mail has been sent successfully" are display.
public static void Main()
{
var driver = new ChromeDriver();
driver.Navigate().GoToUrl("http://automationpractice.com/");
HomePage homePage = new HomePage();
PageFactory.InitElements(driver, homePage);
homePage.SearchField.SendKeys("T Shirt");
Thread.Sleep(500);
homePage.ButtonSearch.Click();
ResultPage resultPage = new ResultPage();
PageFactory.InitElements(driver, resultPage);
resultPage.BlueColor.Click();
Thread.Sleep(2000);
resultPage.SendFriendButton.Click();
Thread.Sleep(1000);
resultPage.FriendNameField.SendKeys("[email protected]");
resultPage.FriendEmailField.SendKeys("Ann");
resultPage.SendEmailFriend.Click();
}
/// Scenario 2
/// 1. Go to http://automationpractice.com/
/// 2. Enter "evening" in search field and click button Search.
/// 3. click button More on the first dress.
/// 4. Add dress to the wishlist (clic button "wishlist")
/// 5. Verify, pop-up window with text "You must be logged in to manage your wishlist." are display.
/// 6. Send pop-up window notice "You must be logged in to manage your wishlist." in console.
public static void MyScenario2()
{
var driver = new ChromeDriver();
driver.Navigate().GoToUrl("http://automationpractice.com/");
HomePage homePage = new HomePage();
PageFactory.InitElements(driver, homePage);
homePage.SearchField.SendKeys("evening");
Thread.Sleep(500);
homePage.ButtonSearch.Click();
Thread.Sleep(1000);
ResultPage resultPage = new ResultPage();
PageFactory.InitElements(driver, resultPage);
resultPage.More.Click();
resultPage.WishListButton.Click();
Thread.Sleep(1000);
string s3 = driver.FindElement(By.CssSelector(".fancybox-error")).Text;
Console.WriteLine(s3);
}
// Scenario 3.
//1/ Go to http://automationpractice.com/
//2. Input email "[email protected]" in the field News letter and click the button.
//3. Result text display on console.
public static void MyScenario3n()
{
var driver = new ChromeDriver();
driver.Navigate().GoToUrl("http://automationpractice.com/");
HomePage homePage = new HomePage();
PageFactory.InitElements(driver, homePage);
homePage.NewsLetterField.SendKeys("[email protected]");
Thread.Sleep(500);
homePage.NewsLetterButton.Click();
Thread.Sleep(3000);
string s5 = driver.FindElement(By.CssSelector(".alert")).Text;
Console.WriteLine(s5);
}
}
}
| 18.524229 | 109 | 0.546492 | [
"BSD-3-Clause"
] | Achekryhin-NIX/autoSchool | Spec flow Additional Task/Program.cs | 4,207 | C# |
using System;
using System.Linq;
using GPdotNet.Core;
using System.Threading.Tasks;
using System.Threading;
using GPdotNet.Data;
using GPdotNet.Interfaces;
using GPdotNet.BasicTypes;
using Newtonsoft.Json.Linq;
using System.IO;
using Newtonsoft.Json;
using GPdotNet.Modeling;
using System.Collections.Generic;
namespace GPdotNETAppCore
{
class Program
{
static async Task Main(string[] args)
{
// OpenRunAndSaveProject1();
// await CreateNewIrisProject();
//Irsi data set
await OpenRunAndSaveProject1();
//surface roughenss
//await OpenRunAndSaveRegression();
//stoping to program terminate
Console.WriteLine("Press any key to continue....");
Console.Read();
}
static string dataSetName = "Add DataSet Name";
private static async Task OpenRunAndSaveRegression()
{
var irisPath = "Data/surface_roughness.gpa";
dataSetName = "Surface Roughness";
var project = Project.Open(irisPath);
//select first model from project collection
var irisModel = project.Models.FirstOrDefault();
//get current active data
var actvData = irisModel.GetModelSettings(reportProgress);
//set predefined rootnode
//actvData.Parameters.RootName = "Pol3";
//if the solution is reseted constants from MODel must be update to activeData
await irisModel.RunGPAsync(actvData, new CancellationToken(), true);
//saved into bin folder
var strPath = $@"Data\\surface_roughness_{DateTime.Now.Ticks}.gpa";
project.Save(strPath);
}
private static async Task OpenRunAndSaveProject()
{
var irisPath = "Data/Iris.gpa";
dataSetName = "Iris flower identification";
var project = Project.Open(irisPath);
//select first model from project collection
var irisModel = project.Models.FirstOrDefault();
//get current active data
var actvData = irisModel.GetModelSettings(reportProgress);
//if the solution is reseted constants from MODel must be update to activeData
await irisModel.RunGPAsync(actvData, new CancellationToken(), true);
//saved into bin folder
var strPath = $@"Data\\iris_saved_{DateTime.Now.Ticks}.gpa";
project.Save(strPath);
}
private static async Task OpenRunAndSaveProject1()
{
var irisPath = "Data/Iris.gpa";
dataSetName = "Iris flower identification";
var project = Project.Open(irisPath);
//select first model from project collection
var irisModel = project.Models[4];
//get current active data
var actvData = irisModel.GetModelSettings(reportProgress);
//change Default PArams
actvData.Parameters.ParallelProcessing = false;
actvData.Parameters.FitnessName = "MAHD";
actvData.TC.Value = 10;
//if the solution is reseted constants from MODel must be update to activeData
await irisModel.RunGPAsync(actvData, new CancellationToken(), true);
//saved into bin folder
var strPath = $@"Data\\iris_saved_{DateTime.Now.Ticks}.gpa";
project.Save(strPath);
}
static async Task CreateNewIrisProject()
{
dataSetName = "Iris flower identification";
Project proj = new Project("testProject");
proj.InitiNewProject("IrisPrjTest");
var metaData = getMetaData("iris");
var strData = getIrisString(',',1);
DataSet1 ds = new DataSet1();
ds.MetaData = metaData;
ds.Data = strData;
var dataSet = ds.GetDataSet(true);
//
proj.DataSet = ds;
//rft format of the simple text
proj.ProjectInfo = "{\\rtf1\\ansi\\deff0\\nouicompat{\\fonttbl{\\f0\\fnil\\fcharset0 Microsoft Sans Serif;}}\r\n{\\*\\generator Riched20 10.0.16299}\\viewkind4\\uc1 \r\n\\pard\\f0\\fs17\\lang1033 Famous classification dataset\\par\r\n}\r\n";
proj.CreateModel("iris-data-set", "Iris", true);
var model = proj.Models[0];
//
ActiveDataBase actvData = getGPParams();
//change Default PArams
actvData.Parameters.ParallelProcessing = false;
actvData.Parameters.FitnessName = "MAD";
//if the solution is reseted constants from MODel must be update to activeData
await model.RunGPAsync(actvData, new CancellationToken(), true);
//saved into bin folder
var strPath = $@"Data\\iris_{DateTime.Now.Ticks}.gpa";
proj.Save(strPath);
}
static async Task CreateNewRegressionProject()
{
dataSetName = "Iris flower identification";
Project proj = new Project("testProject");
proj.InitiNewProject("IrisPrjTest");
var metaData = getMetaData("iris");
var strData = getIrisString(',', 1);
DataSet1 ds = new DataSet1();
ds.MetaData = metaData;
ds.Data = strData;
var dataSet = ds.GetDataSet(true);
//
proj.DataSet = ds;
//rft format of the simple text
proj.ProjectInfo = "{\\rtf1\\ansi\\deff0\\nouicompat{\\fonttbl{\\f0\\fnil\\fcharset0 Microsoft Sans Serif;}}\r\n{\\*\\generator Riched20 10.0.16299}\\viewkind4\\uc1 \r\n\\pard\\f0\\fs17\\lang1033 Famous classification dataset\\par\r\n}\r\n";
proj.CreateModel("iris-data-set", "Iris", true);
var model = proj.Models[0];
//
ActiveDataBase actvData = getGPParams();
//change Default PArams
actvData.Parameters.ParallelProcessing = true;
actvData.Parameters.FitnessName = "RMSE";
//if the solution is reseted constants from MODel must be update to activeData
await model.RunGPAsync(actvData, new CancellationToken(), true);
//saved into bin folder
var strPath = $@"Data\\iris_{DateTime.Now.Ticks}.gpa";
proj.Save(strPath);
}
#region Helpers
private static ActiveDataBase getGPParams()
{
var adb = new ActiveDataBase();
//
//first 4 algebraical operations +,-,*,/
adb.FunctionSet = Globals.functionSet.Where(x=>x.Value.Selected).Select(x=>x.Value).ToArray();
//prepare params
adb.Parameters = prepareGP();
//termination criteria
adb.TC = new TerminationCriteria() { IsIteration = true, Value = 50 };
adb.reportRun = reportProgress;
return adb;
}
private static Parameters prepareGP()
{
var param = new Parameters();
//probabilities
param.InitializationMethod = InitializationMethod.HalfHalf;
param.SelectionMethod = SelectionMethod.FitnessProportionateSelection;
param.PopulationSize = 100;
param.MaxLevel = 7;
param.MaxInitLevel = 7;
param.BroodSize = 1;
//probability
param.CrossoverProbability = 1f;// 0.95f;
param.MutationProbability = 1f;//0.05f;
param.SelectionProbability = 0.15f;
//output related parameters
param.OutputType = ColumnType.Category;
param.RootFunctionNode = Globals.GetFunction(2051);//SoftMAx
param.RootName = "Softmax";
param.IsMultipleOutput = true;
param.Threshold = 0.5f;
//
param.ParallelProcessing = true;
param.Elitism = 3;
param.ArgValue = 0.3f;//selection
param.IsProtectedOperation = true;
//fitness
param.FitnessName = "ACC";
//param.FitnessFunction = new RMSEFitnessSoftmax();
//random constants
param.ConstFrom = 0;
param.ConstTo = 1f;
param.ConstNum = 2;
param.Constants = new double[] { 0.2, 0.4 };
return param;
}
private static string[][] getIrisString(char delimiter, int skipRows)
{
var strRows = File.ReadAllLines("Data/iris.csv");
List<string[]> strData = new List<string[]>();
foreach(var r in strRows.Skip(skipRows))
{
var row = r.Split(delimiter, StringSplitOptions.RemoveEmptyEntries);
strData.Add(row);
}
return strData.ToArray();
}
private static MetaColumn[] getMetaData(string dataName)
{
if(dataName=="iris")
{
MetaColumn[] cols = new MetaColumn[5];
cols[0] = new MetaColumn(){Id = 0,Encoding = "none",Index = 0,MissingValue = "none",
Name = "sepal_length",Scale = "none",Type = "numeric",Param = "input",};
cols[1] = new MetaColumn(){Id = 1,Encoding = "none",Index = 1,MissingValue = "none",
Name = "sepal_width",Scale = "none",Type = "numeric",Param = "input",};
cols[2] = new MetaColumn(){Id = 2,Encoding = "none",Index = 2,MissingValue = "none",
Name = "petal_length",Scale = "none",Type = "numeric",Param = "input",};
cols[3] = new MetaColumn(){Id = 3,Encoding = "none",Index = 3,MissingValue = "none",
Name = "petal_width",Scale = "none",Type = "numeric",Param = "input",};
cols[4] = new MetaColumn(){Id = 4,Encoding = /*"1 out of N"*/"Level",Index = 4,MissingValue = "none",
Name = "species",Scale = "none",Type = "categorical",Param = "output",};
return cols;
}
throw new Exception($"Meatadata for data set name '{dataName}' is not defined!");
}
#endregion
static private void reportProgress(ProgressReport pr, Parameters par)
{
if (pr.IterationStatus == IterationStatus.Initialize)
startProgress(par,dataSetName);
else
Console.WriteLine($"It={pr.Iteration}; Fitness= {pr.BestSolution.Fitness.ToString("F")}, Total={pr.IterationStatistics.IterationSeconds} sec; " /*+ pr.Message*/);
}
static private void startProgress(Parameters par, string dataseName)
{
Console.WriteLine("GPdotNET v5 - tree based GP");
Console.WriteLine("****************************");
Console.WriteLine($"Dataset Name: {dataSetName}");
Console.WriteLine($"ML type: {par.OutputType}");
Console.WriteLine($"Number of Features: {par.FeatureCount}");
Console.WriteLine($"Random Constance: {string.Join(';',par.Constants)}");
Console.WriteLine($"Fitness function: {par.FitnessName}");
Console.WriteLine("____________________________________________________");
Console.WriteLine("");
}
}
} | 38.425676 | 253 | 0.571918 | [
"MIT"
] | bhrnjica/gpdotnet | Net.Core/GPdotNet.Core.App/Program.cs | 11,376 | C# |
#region BSD License
/*
* Use of this source code is governed by a BSD-style
* license that can be found in the LICENSE.md file or at
* https://github.com/Wagnerp/Krypton-Toolkit-Suite-Extended-NET-5.452/blob/master/LICENSE
*
*/
#endregion
using System;
using System.Collections;
using System.Windows.Forms;
namespace ExtendedControls.Base.Code
{
/// <summary>
/// This class is an implementation of the 'IComparer' interface.
/// </summary>
public class ListViewColumnSorter : IComparer
{
/// <summary>
/// Specifies the column to be sorted
/// </summary>
private int ColumnToSort;
/// <summary>
/// Specifies the order in which to sort (i.e. 'Ascending').
/// </summary>
private SortOrder OrderOfSort;
/// <summary>
/// Case insensitive comparer object
/// </summary>
private CaseInsensitiveComparer ObjectCompare;
/// <summary>
/// Class constructor. Initializes various elements
/// </summary>
public ListViewColumnSorter()
{
// Initialize the column to '0'
ColumnToSort = 0;
// Initialize the sort order to 'none'
OrderOfSort = SortOrder.None;
// Initialize the CaseInsensitiveComparer object
ObjectCompare = new CaseInsensitiveComparer();
}
/// <summary>
/// This method is inherited from the IComparer interface. It compares the two objects passed using a case insensitive comparison.
/// </summary>
/// <param name="x">First object to be compared</param>
/// <param name="y">Second object to be compared</param>
/// <returns>The result of the comparison. "0" if equal, negative if 'x' is less than 'y' and positive if 'x' is greater than 'y'</returns>
public int Compare(object x, object y)
{
int compareResult;
ListViewItem listviewX, listviewY;
// Cast the objects to be compared to ListViewItem objects
listviewX = (ListViewItem)x;
listviewY = (ListViewItem)y;
// Compare the two items
string itemX;
try
{
itemX = listviewX.SubItems[ColumnToSort].Text;
}
catch (Exception ex)
{
Console.Write(ex.Message);
itemX = " ";
}
string itemY;
try
{
itemY = listviewY.SubItems[ColumnToSort].Text;
}
catch (Exception ex)
{
Console.Write(ex.Message);
itemY = " ";
}
compareResult = ObjectCompare.Compare(itemX, itemY);
// Calculate correct return value based on object comparison
if (OrderOfSort == SortOrder.Ascending)
{
// Ascending sort is selected, return normal result of compare operation
return compareResult;
}
else if (OrderOfSort == SortOrder.Descending)
{
// Descending sort is selected, return negative result of compare operation
return (-compareResult);
}
else
{
// Return '0' to indicate they are equal
return 0;
}
}
/// <summary>
/// Gets or sets the number of the column to which to apply the sorting operation (Defaults to '0').
/// </summary>
public int SortColumn
{
set
{
ColumnToSort = value;
}
get
{
return ColumnToSort;
}
}
/// <summary>
/// Gets or sets the order of sorting to apply (for example, 'Ascending' or 'Descending').
/// </summary>
public SortOrder Order
{
set
{
OrderOfSort = value;
}
get
{
return OrderOfSort;
}
}
}
} | 30.529412 | 147 | 0.521676 | [
"BSD-3-Clause"
] | Wagnerp/Krypton-Toolkit-Suite-Extended-NET-5.452 | Source/Krypton Toolkit Suite Extended/Full Toolkit/Extended Controls/Base/Code/ListViewColumnSorter.cs | 4,154 | C# |
using System;
using System.Collections.Generic;
namespace CSharp_Scraper
{
public class HAPStock
{
private System.DateTime _timeScraped;
private string _stockSymbol;
private string _lastPrice;
private string _change;
private string _changePercent;
public System.DateTime TimeScraped { get => _timeScraped; set => _timeScraped = value; }
public string StockSymbol { get => _stockSymbol; set => _stockSymbol = value; }
public string LastPrice { get => _lastPrice ; set => _lastPrice = value; }
public string Change { get => _change; set => _change = value; }
public string ChangePercent { get => _changePercent; set => _changePercent = value; }
public HAPStock()
{
}
public HAPStock(System.DateTime timeScraped, string stockSymbol, string lastPrice, string change, string changePercent)
{
this.TimeScraped = timeScraped;
this.StockSymbol = stockSymbol;
this.LastPrice = lastPrice;
this.Change = change;
this.ChangePercent = changePercent;
}
}
}
| 32.857143 | 127 | 0.633913 | [
"MIT"
] | milomacphail/CSharp_ScraperMVC | HAPStockSchema.cs | 1,152 | C# |
using Microsoft.Web.WebView2.Core;
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Diagnostics;
using System.Drawing;
using System.IO;
using System.Runtime.InteropServices;
using System.Windows.Forms;
using System.Xml;
using System.Xml.Xsl;
using SR = XmlNotepad.StringResources;
namespace XmlNotepad
{
public class WebView2Exception : Exception
{
public WebView2Exception(string msg) : base(msg) { }
}
public partial class XsltControl : UserControl
{
private readonly Stopwatch _urlWatch = new Stopwatch();
private string _html;
private string _fileName;
private DateTime _loaded;
private Uri _baseUri;
private PerformanceInfo _info = null;
private XslCompiledTransform _xslt;
private XmlDocument _xsltdoc;
private XslCompiledTransform _defaultss;
private Uri _xsltUri;
private ISite _site;
private XmlUrlResolver _resolver;
private Settings _settings;
private string _defaultSSResource = "XmlNotepad.DefaultSS.xslt";
private readonly IDictionary<Uri, bool> _trusted = new Dictionary<Uri, bool>();
private bool _webInitialized;
private bool _webView2Supported;
private string _tempFile;
private string _previousOutputFile;
private bool _usingDefaultXslt;
private bool _hasXsltOutput; // whether DOM has <?xsl-output instruction.
public event EventHandler<Exception> WebBrowserException;
public event EventHandler<PerformanceInfo> LoadCompleted;
public XsltControl()
{
InitializeComponent();
_resolver = new XmlUrlResolver();
}
/// <summary>
/// Performs in-memory xslt transform only. Note that file based transforms
/// work better if you want local includes to work with that file (css, images, etc).
/// </summary>
public bool DisableOutputFile { get; set; }
public void OnClosed()
{
CleanupTempFile();
}
void CleanupTempFile()
{
if (!string.IsNullOrEmpty(_tempFile) && File.Exists(_tempFile))
{
try
{
File.Delete(_tempFile);
}
catch { }
}
this._tempFile = null;
}
private async void InitializeBrowser(string version)
{
try
{
this.BrowserVersion = version;
if (version == "WebView2")
{
if (!this._webView2Supported)
{
this.webBrowser2.CoreWebView2InitializationCompleted -= OnCoreWebView2InitializationCompleted;
this.webBrowser2.CoreWebView2InitializationCompleted += OnCoreWebView2InitializationCompleted;
CoreWebView2EnvironmentOptions options = new CoreWebView2EnvironmentOptions()
{
AllowSingleSignOnUsingOSPrimaryAccount = true
};
CoreWebView2Environment environment = await CoreWebView2Environment.CreateAsync(userDataFolder: WebViewUserCache, options: options);
await this.webBrowser2.EnsureCoreWebView2Async(environment);
}
}
else
{
WebBrowserFallback();
}
Reload();
}
catch (Exception ex)
{
// fall back on old web browser control
RaiseBrowserException(new WebView2Exception(ex.Message));
this.BrowserVersion = "WebBrowser";
this._settings["BrowserVersion"] = "WebBrowser";
WebBrowserFallback();
this._settings["WebView2Exception"] = ex.Message;
}
}
private void Reload()
{
if (!string.IsNullOrEmpty(this._fileName))
{
DisplayFile(_fileName);
}
else if (!string.IsNullOrEmpty(_html))
{
Display(_html);
}
}
public virtual string WebViewUserCache
{
get
{
string path = Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData);
Debug.Assert(!string.IsNullOrEmpty(path));
return System.IO.Path.Combine(path, "Microsoft", "Xml Notepad", "WebView2Cache");
}
}
private void OnWebDocumentCompleted(object sender, WebBrowserDocumentCompletedEventArgs e)
{
if (LoadCompleted != null && this._info != null)
{
this._info.BrowserMilliseconds = this._urlWatch.ElapsedMilliseconds;
this._info.BrowserName = this.webBrowser1.Visible ? "WebBrowser" : "WebView2";
LoadCompleted(this, this._info);
}
}
private void OnCoreWebView2InitializationCompleted(object sender, CoreWebView2InitializationCompletedEventArgs e)
{
if (!e.IsSuccess)
{
if (e.InitializationException != null)
{
// save this error someplace so we can show it to the user later when they try and enable WebView2.
RaiseBrowserException(new WebView2Exception(e.InitializationException.Message));
}
}
if (this.webBrowser2.CoreWebView2 != null)
{
this.webBrowser2.CoreWebView2.DOMContentLoaded += CoreWebView2_DOMContentLoaded;
this.webBrowser2.CoreWebView2.NavigationCompleted += CoreWebView2_NavigationCompleted;
this.webBrowser2.Visible = true;
this.webBrowser1.Visible = false;
this._webView2Supported = true;
}
else
{
WebBrowserFallback();
}
_webInitialized = true;
}
private void CoreWebView2_NavigationCompleted(object sender, CoreWebView2NavigationCompletedEventArgs e)
{
if (!e.IsSuccess && !DisableOutputFile)
{
Debug.WriteLine(e.WebErrorStatus);
}
}
void WebBrowserFallback()
{
// WebView2 is not installed, so fall back on the old WebBrowser component.
this.webBrowser2.Visible = false;
this.webBrowser1.Visible = true;
this.webBrowser1.ScriptErrorsSuppressed = true;
this.webBrowser1.WebBrowserShortcutsEnabled = true;
this.webBrowser1.DocumentCompleted += OnWebDocumentCompleted;
this._webInitialized = true; // no callback from this guy.
}
private void CoreWebView2_DOMContentLoaded(object sender, CoreWebView2DOMContentLoadedEventArgs e)
{
if (LoadCompleted != null && this._info != null)
{
this._info.BrowserMilliseconds = this._urlWatch.ElapsedMilliseconds;
this._info.BrowserName = this.webBrowser1.Visible ? "WebBrowser" : "WebView2";
LoadCompleted(this, this._info);
}
}
internal void DeletePreviousOutput()
{
if (!string.IsNullOrEmpty(this._previousOutputFile) && this._tempFile != this._previousOutputFile)
{
if (File.Exists(this._previousOutputFile))
{
try
{
File.Delete(this._previousOutputFile);
this._previousOutputFile = null;
}
catch { }
}
}
}
private bool UseWebView2()
{
return this._webView2Supported && this.BrowserVersion == "WebView2";
}
public void DisplayFile(string filename)
{
if (!this._webInitialized)
{
return;
}
this._html = null;
this._fileName = filename;
_urlWatch.Reset();
_urlWatch.Start();
this.webBrowser2.Visible = UseWebView2();
this.webBrowser1.Visible = !UseWebView2();
if (UseWebView2())
{
var uri = new Uri(filename);
try
{
if (this.webBrowser2.Source == uri)
{
this.webBrowser2.Reload();
}
else
{
this.webBrowser2.Source = uri;
}
}
catch (Exception e)
{
RaiseBrowserException(e);
// revert, did user uninstall WebView2?
this._webView2Supported = false;
WebBrowserFallback();
}
}
// fallback on webbrowser 1
if (this.webBrowser1.Visible)
{
try
{
this.webBrowser1.Navigate(filename);
}
catch (Exception e)
{
// tell the user?
RaiseBrowserException(e);
}
}
}
public Uri BaseUri
{
get { return this._baseUri; }
set { this._baseUri = value; }
}
Uri GetBaseUri()
{
if (this._baseUri == null)
{
this._baseUri = new Uri(Application.StartupPath + "/");
}
return this._baseUri;
}
private void Display(string content)
{
CleanupTempFile();
if (content != this._html && _webInitialized)
{
_urlWatch.Reset();
_urlWatch.Start();
this.webBrowser2.Visible = UseWebView2();
this.webBrowser1.Visible = !UseWebView2();
if (UseWebView2())
{
try
{
if (content.Length > 1000000)
{
content = content.Substring(0, 1000000) + "<h1>content truncated...";
}
// this has a 1mb limit for some unknown reason.
this.webBrowser2.NavigateToString(content);
this._html = content;
this._fileName = null;
return;
}
catch (Exception e)
{
RaiseBrowserException(e);
// revert, did user uninstall WebView2?
this.webBrowser2.Visible = false;
this.webBrowser1.Visible = true;
this._webView2Supported = false;
}
}
// Fallback in case webBrowser2 fails.
if (this.webBrowser1.Visible)
{
try
{
this.webBrowser1.DocumentText = content;
}
catch (Exception e)
{
RaiseBrowserException(e);
}
this._html = content;
this._fileName = null;
}
}
}
private void RaiseBrowserException(Exception e)
{
if (WebBrowserException != null)
{
WebBrowserException(this, e);
}
}
public bool IgnoreDTD { get; set; }
public bool EnableScripts { get; set; }
public string BrowserVersion { get; set; }
public string DefaultStylesheetResource
{
get { return this._defaultSSResource; }
set { this._defaultSSResource = value; }
}
public bool HasXsltOutput
{
get => _hasXsltOutput;
set
{
if (value != _hasXsltOutput)
{
_defaultss = null;
_hasXsltOutput = value;
}
}
}
public void SetSite(ISite site)
{
this._site = site;
IServiceProvider sp = (IServiceProvider)site;
this._resolver = new XmlProxyResolver(sp);
this._settings = (Settings)sp.GetService(typeof(Settings));
this._settings.Changed -= OnSettingsChanged;
this._settings.Changed += OnSettingsChanged;
// initial settings.
this.IgnoreDTD = this._settings.GetBoolean("IgnoreDTD");
this.EnableScripts = this._settings.GetBoolean("EnableXsltScripts");
this.InitializeBrowser(this._settings.GetString("BrowserVersion"));
}
private void OnSettingsChanged(object sender, string name)
{
if (name == "IgnoreDTD")
{
this.IgnoreDTD = this._settings.GetBoolean("IgnoreDTD");
}
else if (name == "EnableXsltScripts")
{
this.EnableScripts = this._settings.GetBoolean("EnableXsltScripts");
}
else if (name == "BrowserVersion")
{
this.InitializeBrowser(this._settings.GetString("BrowserVersion"));
}
else if (name == "Font" || name == "Theme" || name == "Colors" || name == "LightColors" || name == "DarkColors")
{
_defaultss = null;
if (this._usingDefaultXslt)
{
string id = this.Handle.ToString(); // make sure action is unique to this control instance since we have 2!
_settings.DelayedActions.StartDelayedAction("Transform" + id, UpdateTransform, TimeSpan.FromMilliseconds(50));
}
}
}
private void UpdateTransform()
{
if (_previousTransform != null)
{
DisplayXsltResults(_previousTransform.document, _previousTransform.xsltfilename, _previousTransform.outpath,
_previousTransform.userSpecifiedOutput);
}
}
public Uri ResolveRelativePath(string filename)
{
try
{
return new Uri(_baseUri, filename);
}
catch
{
return null;
}
}
class Context
{
public XmlDocument document;
public string xsltfilename;
public string outpath;
public bool userSpecifiedOutput;
}
Context _previousTransform;
/// <summary>
/// Run an XSLT transform and show the results.
/// </summary>
/// <param name="context">The document to transform</param>
/// <param name="xsltfilename">The xslt file to use</param>
/// <param name="outpath">Output file name hint.</param>
/// <param name="userSpecifiedOutput">Whether output name is non-negotiable.</param>
/// <returns>The output file name or null if DisableOutputFile is true</returns>
public string DisplayXsltResults(XmlDocument context, string xsltfilename, string outpath = null, bool userSpecifiedOutput = false)
{
if (!this._webInitialized)
{
return null;
}
_previousTransform = new Context()
{
document = context,
xsltfilename = xsltfilename,
outpath = outpath,
userSpecifiedOutput = userSpecifiedOutput
};
this.CleanupTempFile();
Uri resolved = null;
try
{
XslCompiledTransform transform;
if (string.IsNullOrEmpty(xsltfilename))
{
transform = GetDefaultStylesheet();
this._usingDefaultXslt = true;
if (this._settings.GetBoolean("DisableDefaultXslt"))
{
context = new XmlDocument();
context.LoadXml("<Note>Default styling of your XML documents is disabled in your Options</Note>");
}
}
else
{
resolved = new Uri(_baseUri, xsltfilename);
if (resolved != this._xsltUri || IsModified())
{
_xslt = new XslCompiledTransform();
this._loaded = DateTime.Now;
var settings = new XsltSettings(true, this.EnableScripts);
settings.EnableScript = (_trusted.ContainsKey(resolved));
var rs = new XmlReaderSettings();
rs.DtdProcessing = this.IgnoreDTD ? DtdProcessing.Ignore : DtdProcessing.Parse;
rs.XmlResolver = _resolver;
using (XmlReader r = XmlReader.Create(resolved.AbsoluteUri, rs))
{
_xslt.Load(r, settings, _resolver);
}
// the XSLT DOM is also handy to have around for GetOutputMethod
this._xsltdoc = new XmlDocument();
this._xsltdoc.Load(resolved.AbsoluteUri);
}
transform = _xslt;
this._usingDefaultXslt = false;
}
if (string.IsNullOrEmpty(outpath))
{
if (!DisableOutputFile)
{
if (!string.IsNullOrEmpty(xsltfilename))
{
outpath = this.GetXsltOutputFileName(xsltfilename);
}
else
{
// default stylesheet produces html
this._tempFile = outpath = GetWritableFileName("DefaultXsltOutput.htm");
}
}
}
else if (!userSpecifiedOutput)
{
var ext = GetDefaultOutputExtension();
var basePath = Path.Combine(Path.GetDirectoryName(outpath), Path.GetFileNameWithoutExtension(outpath));
outpath = basePath + ext;
outpath = GetWritableFileName(outpath);
}
else
{
outpath = GetWritableFileName(outpath);
}
if (null != transform)
{
var dir = Path.GetDirectoryName(outpath);
if (!string.IsNullOrEmpty(dir) && !Directory.Exists(dir))
{
Directory.CreateDirectory(dir);
}
var settings = new XmlReaderSettings();
settings.XmlResolver = new XmlProxyResolver(this._site);
settings.DtdProcessing = this.IgnoreDTD ? DtdProcessing.Ignore : DtdProcessing.Parse;
var xmlReader = XmlIncludeReader.CreateIncludeReader(context, settings, GetBaseUri().AbsoluteUri);
if (string.IsNullOrEmpty(outpath))
{
using (StringWriter writer = new StringWriter())
{
transform.Transform(xmlReader, null, writer);
this._xsltUri = resolved;
Display(writer.ToString());
}
}
else
{
bool noBom = false;
Settings appSettings = (Settings)this._site.GetService(typeof(Settings));
if (appSettings != null)
{
noBom = (bool)appSettings["NoByteOrderMark"];
}
if (noBom)
{
// cache to an inmemory stream so we can strip the BOM.
using (MemoryStream ms = new MemoryStream())
{
transform.Transform(xmlReader, null, ms);
ms.Seek(0, SeekOrigin.Begin);
Utilities.WriteFileWithoutBOM(ms, outpath);
}
}
else
{
using (FileStream writer = new FileStream(outpath, FileMode.OpenOrCreate, FileAccess.Write))
{
Stopwatch watch = new Stopwatch();
watch.Start();
transform.Transform(xmlReader, null, writer);
watch.Stop();
this._info = new PerformanceInfo();
this._info.XsltMilliseconds = watch.ElapsedMilliseconds;
Debug.WriteLine("Transform in {0} milliseconds", watch.ElapsedMilliseconds);
this._xsltUri = resolved;
}
}
DisplayFile(outpath);
}
}
}
catch (System.Xml.Xsl.XsltException x)
{
if (x.Message.Contains("XsltSettings"))
{
if (!_trusted.ContainsKey(resolved) &&
MessageBox.Show(this, SR.XslScriptCodePrompt, SR.XslScriptCodeCaption,
MessageBoxButtons.YesNo, MessageBoxIcon.Exclamation) == DialogResult.Yes)
{
_trusted[resolved] = true;
return DisplayXsltResults(context, xsltfilename, outpath);
}
}
WriteError(x);
}
catch (Exception x)
{
WriteError(x);
}
this._previousOutputFile = outpath;
return outpath;
}
private string GetXsltOutputFileName(string xsltfilename)
{
// pick a good default filename ... this means we need to know the <xsl:output method> and unfortunately
// XslCompiledTransform doesn't give us that so we need to get it outselves.
var ext = GetDefaultOutputExtension();
string outpath = null;
if (string.IsNullOrEmpty(xsltfilename))
{
var basePath = Path.GetFileNameWithoutExtension(this._baseUri.GetComponents(UriComponents.Path, UriFormat.SafeUnescaped));
outpath = basePath + "_output" + ext;
}
else
{
outpath = Path.GetFileNameWithoutExtension(xsltfilename) + "_output" + ext;
}
return GetWritableFileName(outpath);
}
private string GetWritableFileName(string fileName)
{
try
{
if (string.IsNullOrEmpty(fileName))
{
fileName = GetXsltOutputFileName(null);
}
// if the fileName is a full path then honor that request.
Uri uri = new Uri(fileName, UriKind.RelativeOrAbsolute);
var resolved = new Uri(this._baseUri, uri);
// If the XML file is from HTTP then put XSLT output in the %TEMP% folder.
if (resolved.Scheme != "file")
{
uri = new Uri(Path.GetTempPath());
this._tempFile = new Uri(uri, fileName).LocalPath;
return this._tempFile;
}
string path = resolved.LocalPath;
if (resolved == this._baseUri)
{
// can't write to the same location as the XML file or we will lose the XML file!
path = Path.Combine(Path.GetDirectoryName(path), Path.GetFileNameWithoutExtension(path) + "_output" + Path.GetExtension(path));
}
var dir = Path.GetDirectoryName(path);
if (!string.IsNullOrEmpty(dir) && !Directory.Exists(dir))
{
Directory.CreateDirectory(dir);
}
// make sure we can write to the location.
using (FileStream fs = new FileStream(path, FileMode.Create, FileAccess.Write, FileShare.Read))
{
var test = System.Text.UTF8Encoding.UTF8.GetBytes("test");
fs.Write(test, 0, test.Length);
}
return path;
}
catch (Exception ex)
{
Debug.WriteLine("XsltControl.GetWritableBaseUri exception " + ex.Message);
}
// We don't have write permissions?
Uri baseUri = new Uri(Path.GetTempPath());
this._tempFile = new Uri(baseUri, fileName).LocalPath;
return this._tempFile;
}
public string GetOutputFileFilter(string customFileName = null)
{
// return something like this:
// XML files (*.xml)|*.xml|XSL files (*.xsl)|*.xsl|XSD files (*.xsd)|*.xsd|All files (*.*)|*.*
var ext = GetDefaultOutputExtension(customFileName);
switch (ext)
{
case ".xml":
return "XML files(*.xml) | *.xml|All files (*.*)|*.*";
case ".htm":
return "HTML files(*.htm;*.html) | *.htm;*.html|All files (*.*)|*.*";
default:
return "Text files(*.txt) | *.txt|All files (*.*)|*.*";
}
}
public string GetDefaultOutputExtension(string customFileName = null)
{
string ext = ".xml";
try
{
if (this._xsltdoc == null)
{
string path = customFileName;
var resolved = new Uri(_baseUri, path);
this._xsltdoc = new XmlDocument();
this._xsltdoc.Load(resolved.AbsoluteUri);
}
var method = GetOutputMethod(this._xsltdoc);
if (method.ToLower() == "html")
{
ext = ".htm";
}
else if (method.ToLower() == "text")
{
ext = ".txt";
}
}
catch (Exception ex)
{
Debug.WriteLine("XsltControl.GetDefaultOutputExtension exception " + ex.Message);
}
return ext;
}
string GetOutputMethod(XmlDocument xsltdoc)
{
var ns = xsltdoc.DocumentElement.NamespaceURI;
string method = "xml"; // the default.
var mgr = new XmlNamespaceManager(xsltdoc.NameTable);
mgr.AddNamespace("xsl", ns);
XmlElement e = xsltdoc.SelectSingleNode("//xsl:output", mgr) as XmlElement;
if (e != null)
{
var specifiedMethod = e.GetAttribute("method");
if (!string.IsNullOrEmpty(specifiedMethod))
{
return specifiedMethod;
}
}
// then we need to figure out the default method which is xml unless there's an html element here
foreach (XmlNode node in xsltdoc.DocumentElement.ChildNodes)
{
if (node is XmlElement child)
{
if (string.IsNullOrEmpty(child.NamespaceURI) && string.Compare(child.LocalName, "html", StringComparison.OrdinalIgnoreCase) == 0)
{
return "html";
}
else
{
// might be an <xsl:template> so look inside these too...
foreach (XmlNode subnode in child.ChildNodes)
{
if (subnode is XmlElement grandchild)
{
if ((string.IsNullOrEmpty(grandchild.NamespaceURI) || grandchild.NamespaceURI.Contains("xhtml"))
&& string.Compare(grandchild.LocalName, "html", StringComparison.OrdinalIgnoreCase) == 0)
{
return "html";
}
}
}
}
}
}
return method;
}
private void WriteError(Exception e)
{
using (StringWriter writer = new StringWriter())
{
writer.WriteLine("<html><body><h3>");
writer.WriteLine(SR.TransformErrorCaption);
writer.WriteLine("</h3></body></html>");
while (e != null)
{
writer.WriteLine(e.Message);
e = e.InnerException;
}
Display(writer.ToString());
}
}
string GetHexColor(Color c)
{
return System.Drawing.ColorTranslator.ToHtml(c);
}
string GetDefaultStyles(string html)
{
var font = (Font)this._settings["Font"];
html = html.Replace("$FONT_FAMILY", font != null ? font.FontFamily.Name : "Consolas, Courier New");
html = html.Replace("$FONT_SIZE", font != null ? font.SizeInPoints + "pt" : "10pt");
var theme = (ColorTheme)_settings["Theme"];
var colors = (ThemeColors)_settings[theme == ColorTheme.Light ? "LightColors" : "DarkColors"];
html = html.Replace("$BACKGROUND_COLOR", GetHexColor(colors.ContainerBackground));
html = html.Replace("$ATTRIBUTE_NAME_COLOR", GetHexColor(colors.Attribute));
html = html.Replace("$ATTRIBUTE_VALUE_COLOR", GetHexColor(colors.Text));
html = html.Replace("$PI_COLOR", GetHexColor(colors.PI));
html = html.Replace("$TEXT_COLOR", GetHexColor(colors.Text));
html = html.Replace("$COMMENT_COLOR", GetHexColor(colors.Comment));
html = html.Replace("$ELEMENT_COLOR", GetHexColor(colors.Element));
html = html.Replace("$MARKUP_COLOR", GetHexColor(colors.Markup));
html = html.Replace("$SIDENOTE_COLOR", GetHexColor(colors.EditorBackground));
html = html.Replace("$OUTPUT_TIP_DISPLAY", this.HasXsltOutput ? "none" : "block");
return html;
}
XslCompiledTransform GetDefaultStylesheet()
{
if (_defaultss != null)
{
return _defaultss;
}
using (Stream stream = this.GetType().Assembly.GetManifestResourceStream(this._defaultSSResource))
{
if (null != stream)
{
using (StreamReader sr = new StreamReader(stream))
{
string html = null;
html = GetDefaultStyles(sr.ReadToEnd());
using (XmlReader reader = XmlReader.Create(new StringReader(html)))
{
XslCompiledTransform t = new XslCompiledTransform();
t.Load(reader);
_defaultss = t;
}
// the XSLT DOM is also handy to have around for GetOutputMethod
stream.Seek(0, SeekOrigin.Begin);
this._xsltdoc = new XmlDocument();
this._xsltdoc.Load(stream);
}
}
else
{
throw new Exception(string.Format("You have a build problem: resource '{0} not found", this._defaultSSResource));
}
}
return _defaultss;
}
bool IsModified()
{
if (this._xsltUri.IsFile)
{
string path = this._xsltUri.LocalPath;
DateTime lastWrite = File.GetLastWriteTime(path);
return this._loaded < lastWrite;
}
return false;
}
private Guid cmdGuid = new Guid("ED016940-BD5B-11CF-BA4E-00C04FD70816");
private enum OLECMDEXECOPT
{
#pragma warning disable CA1712 // Do not prefix enum values with type name
OLECMDEXECOPT_DODEFAULT = 0,
OLECMDEXECOPT_PROMPTUSER = 1,
OLECMDEXECOPT_DONTPROMPTUSER = 2,
OLECMDEXECOPT_SHOWHELP = 3
#pragma warning restore CA1712 // Do not prefix enum values with type name
}
private enum MiscCommandTarget
{
Find = 1,
ViewSource,
Options
}
private mshtml.HTMLDocument GetDocument()
{
try
{
mshtml.HTMLDocument htm = (mshtml.HTMLDocument)this.webBrowser1.Document.DomDocument;
return htm;
}
catch
{
throw (new Exception("Cannot retrieve the document from the WebBrowser control"));
}
}
public void ViewSource()
{
IOleCommandTarget cmdt;
Object o = new object();
try
{
cmdt = (IOleCommandTarget)GetDocument();
cmdt.Exec(ref cmdGuid, (uint)MiscCommandTarget.ViewSource,
(uint)OLECMDEXECOPT.OLECMDEXECOPT_DODEFAULT, ref o, ref o);
}
catch (Exception e)
{
System.Windows.Forms.MessageBox.Show(e.Message);
}
}
public void Find()
{
IOleCommandTarget cmdt;
Object o = new object();
try
{
cmdt = (IOleCommandTarget)GetDocument();
cmdt.Exec(ref cmdGuid, (uint)MiscCommandTarget.Find,
(uint)OLECMDEXECOPT.OLECMDEXECOPT_DODEFAULT, ref o, ref o);
}
catch (Exception e)
{
System.Windows.Forms.MessageBox.Show(e.Message);
}
}
[StructLayout(LayoutKind.Sequential, CharSet = CharSet.Unicode)]
public struct OLECMDTEXT
{
public uint cmdtextf;
public uint cwActual;
public uint cwBuf;
[MarshalAs(UnmanagedType.ByValTStr, SizeConst = 100)]
public char rgwz;
}
[StructLayout(LayoutKind.Sequential)]
public struct OLECMD
{
public uint cmdID;
public uint cmdf;
}
// Interop definition for IOleCommandTarget.
[ComImport, Guid("b722bccb-4e68-101b-a2bc-00aa00404770"),
InterfaceType(ComInterfaceType.InterfaceIsIUnknown)]
public interface IOleCommandTarget
{
//IMPORTANT: The order of the methods is critical here. You
//perform early binding in most cases, so the order of the methods
//here MUST match the order of their vtable layout (which is determined
//by their layout in IDL). The interop calls key off the vtable ordering,
//not the symbolic names. Therefore, if you switched these method declarations
//and tried to call the Exec method on an IOleCommandTarget interface from your
//application, it would translate into a call to the QueryStatus method instead.
void QueryStatus(ref Guid pguidCmdGroup, UInt32 cCmds,
[MarshalAs(UnmanagedType.LPArray, SizeParamIndex = 1)] OLECMD[] prgCmds, ref OLECMDTEXT CmdText);
void Exec(ref Guid pguidCmdGroup, uint nCmdId, uint nCmdExecOpt, ref object pvaIn, ref object pvaOut);
}
}
} | 37.860537 | 156 | 0.493601 | [
"MIT"
] | Fergus-repo/CPI_XmlNotepad | src/XmlNotepad/XsltControl.cs | 36,651 | C# |
namespace Octo.Core.ServiceBus.MessageBrokers
{
public interface ISendMessages
{
void Send(IMessage message);
}
} | 19 | 45 | 0.691729 | [
"MIT"
] | alexandrnikitin/ddd-cqrs-es-draft | src/Octo.Core/ServiceBus/MessageBrokers/ISendMessages.cs | 133 | C# |
// Copyright (c) .NET Foundation. All rights reserved.
// Licensed under the MIT License. See License.txt in the project root for license information.
using System;
using System.Collections.Concurrent;
using System.Collections.Generic;
using System.Linq;
using System.Reactive.Linq;
using System.Threading.Tasks;
using Microsoft.Azure.WebJobs.Script.Description;
using Microsoft.Azure.WebJobs.Script.Diagnostics;
using Microsoft.Azure.WebJobs.Script.Eventing;
using Microsoft.Azure.WebJobs.Script.Workers.Rpc;
using Microsoft.Extensions.Logging;
using Microsoft.Extensions.Options;
using FunctionMetadata = Microsoft.Azure.WebJobs.Script.Description.FunctionMetadata;
namespace Microsoft.Azure.WebJobs.Script.Workers
{
internal class HttpFunctionInvocationDispatcher : IFunctionInvocationDispatcher
{
private readonly IMetricsLogger _metricsLogger;
private readonly ILogger _logger;
private readonly IHttpWorkerChannelFactory _httpWorkerChannelFactory;
private readonly IScriptJobHostEnvironment _scriptJobHostEnvironment;
private readonly TimeSpan thresholdBetweenRestarts = TimeSpan.FromMinutes(WorkerConstants.WorkerRestartErrorIntervalThresholdInMinutes);
private IScriptEventManager _eventManager;
private IDisposable _workerErrorSubscription;
private IDisposable _workerRestartSubscription;
private ScriptJobHostOptions _scriptOptions;
private bool _disposed = false;
private bool _disposing = false;
private ConcurrentStack<HttpWorkerErrorEvent> _invokerErrors = new ConcurrentStack<HttpWorkerErrorEvent>();
private IHttpWorkerChannel _httpWorkerChannel;
public HttpFunctionInvocationDispatcher(IOptions<ScriptJobHostOptions> scriptHostOptions,
IMetricsLogger metricsLogger,
IScriptJobHostEnvironment scriptJobHostEnvironment,
IScriptEventManager eventManager,
ILoggerFactory loggerFactory,
IHttpWorkerChannelFactory httpWorkerChannelFactory)
{
_metricsLogger = metricsLogger;
_scriptOptions = scriptHostOptions.Value;
_scriptJobHostEnvironment = scriptJobHostEnvironment;
_eventManager = eventManager;
_logger = loggerFactory.CreateLogger<HttpFunctionInvocationDispatcher>();
_httpWorkerChannelFactory = httpWorkerChannelFactory ?? throw new ArgumentNullException(nameof(httpWorkerChannelFactory));
State = FunctionInvocationDispatcherState.Default;
_workerErrorSubscription = _eventManager.OfType<HttpWorkerErrorEvent>()
.Subscribe(WorkerError);
_workerRestartSubscription = _eventManager.OfType<HttpWorkerRestartEvent>()
.Subscribe(WorkerRestart);
}
public FunctionInvocationDispatcherState State { get; private set; }
internal Task InitializeJobhostLanguageWorkerChannelAsync(int attemptCount)
{
// TODO: Add process managment for http invoker
_httpWorkerChannel = _httpWorkerChannelFactory.Create(_scriptOptions.RootScriptPath, _metricsLogger, attemptCount);
_httpWorkerChannel.StartWorkerProcessAsync().ContinueWith(workerInitTask =>
{
if (workerInitTask.IsCompleted)
{
_logger.LogDebug("Adding http worker channel. workerId:{id}", _httpWorkerChannel.Id);
State = FunctionInvocationDispatcherState.Initialized;
}
else
{
_logger.LogWarning("Failed to start http worker process. workerId:{id}", _httpWorkerChannel.Id);
}
});
return Task.CompletedTask;
}
public async Task InitializeAsync(IEnumerable<FunctionMetadata> functions)
{
if (functions == null || !functions.Any())
{
// do not initialize function dispachter if there are no functions
return;
}
State = FunctionInvocationDispatcherState.Initializing;
await InitializeJobhostLanguageWorkerChannelAsync(0);
}
public Task InvokeAsync(ScriptInvocationContext invocationContext)
{
return _httpWorkerChannel.InvokeFunction(invocationContext);
}
public async void WorkerError(HttpWorkerErrorEvent workerError)
{
if (!_disposing)
{
_logger.LogDebug("Handling WorkerErrorEvent for workerId:{workerId}", workerError.WorkerId);
AddOrUpdateErrorBucket(workerError);
await DisposeAndRestartWorkerChannel(workerError.WorkerId);
}
}
public async void WorkerRestart(HttpWorkerRestartEvent workerRestart)
{
if (!_disposing)
{
_logger.LogDebug("Handling WorkerRestartEvent for workerId:{workerId}", workerRestart.WorkerId);
await DisposeAndRestartWorkerChannel(workerRestart.WorkerId);
}
}
private async Task DisposeAndRestartWorkerChannel(string workerId)
{
_logger.LogDebug("Disposing channel for workerId: {channelId}", workerId);
if (_httpWorkerChannel != null)
{
(_httpWorkerChannel as IDisposable)?.Dispose();
}
_logger.LogDebug("Restarting http invoker channel");
await RestartWorkerChannel(workerId);
}
private async Task RestartWorkerChannel(string workerId)
{
if (_invokerErrors.Count < 3)
{
await InitializeJobhostLanguageWorkerChannelAsync(_invokerErrors.Count);
}
else if (_httpWorkerChannel == null)
{
_logger.LogError("Exceeded http invoker restart retry count. Shutting down Functions Host");
_scriptJobHostEnvironment.Shutdown();
}
}
private void AddOrUpdateErrorBucket(HttpWorkerErrorEvent currentErrorEvent)
{
if (_invokerErrors.TryPeek(out HttpWorkerErrorEvent top))
{
if ((currentErrorEvent.CreatedAt - top.CreatedAt) > thresholdBetweenRestarts)
{
while (!_invokerErrors.IsEmpty)
{
_invokerErrors.TryPop(out HttpWorkerErrorEvent popped);
_logger.LogDebug($"Popping out errorEvent createdAt:{popped.CreatedAt} workerId:{popped.WorkerId}");
}
}
}
_invokerErrors.Push(currentErrorEvent);
}
protected virtual void Dispose(bool disposing)
{
if (!_disposed && disposing)
{
_logger.LogDebug($"Disposing {nameof(HttpFunctionInvocationDispatcher)}");
_workerErrorSubscription.Dispose();
_workerRestartSubscription.Dispose();
(_httpWorkerChannel as IDisposable)?.Dispose();
_disposed = true;
}
}
public void Dispose()
{
_disposing = true;
Dispose(true);
}
public Task ShutdownAsync()
{
return Task.CompletedTask;
}
}
}
| 41.121547 | 144 | 0.641274 | [
"Apache-2.0",
"MIT"
] | eerhardt/azure-functions-host | src/WebJobs.Script/Workers/Http/HttpFunctionInvocationDispatcher.cs | 7,445 | 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("04.UnunionLists")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("Microsoft")]
[assembly: AssemblyProduct("04.UnunionLists")]
[assembly: AssemblyCopyright("Copyright © Microsoft 2017")]
[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("3fdfc9ee-9b04-4483-a8a8-7cee68040b67")]
// 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 Build and Revision Numbers
// by using the '*' as shown below:
// [assembly: AssemblyVersion("1.0.*")]
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.0.0.0")]
| 39.243243 | 85 | 0.732094 | [
"MIT"
] | stoyanov7/SoftwareUniversity | TechnologiesFundamentals/ProgrammingFundamentals-Extended/Lists-MoreExercises/04.UnunionLists/04.UnunionLists/Properties/AssemblyInfo.cs | 1,455 | C# |
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
//-----------------------------------------------------------------------------
[assembly: AssemblyTitle("Tools.CSharp.AnalyzerLines")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("Tools.CSharp")]
[assembly: AssemblyCopyright("Copyright © Max Korolev 2016. All rights reserved.")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]
//-----------------------------------------------------------------------------
[assembly: ComVisible(false)]
//-----------------------------------------------------------------------------
[assembly: SuppressIldasm]
//-----------------------------------------------------------------------------
[assembly: Guid("4F18E9AC-8F17-451B-BB56-40F86C53A824")]
//-----------------------------------------------------------------------------
[assembly: AssemblyVersion("1.1.0.0")]
[assembly: AssemblyFileVersion("1.1.0.0")]
//-----------------------------------------------------------------------------
| 50.304348 | 84 | 0.437338 | [
"MIT"
] | zveruger/csharp_tools | src/Tools.CSharp.AnalyzerLines/Properties/AssemblyInfo.cs | 1,160 | C# |
using System;
using System.Collections.Generic;
using System.Collections.ObjectModel;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using NUnit.Framework;
using Xamarin.Forms.Core.UnitTests;
namespace Xamarin.Forms.Pages.UnitTests
{
[TestFixture]
public class DataPageTests
{
[SetUp]
public void Setup ()
{
Device.PlatformServices = new MockPlatformServices ();
}
[TearDown]
public void TearDown ()
{
Device.PlatformServices = null;
}
class TestDataPage : DataPage
{
public static readonly BindableProperty NameProperty =
BindableProperty.Create (nameof (Name), typeof (string), typeof (TestDataPage), null);
public string Name
{
get { return (string)GetValue (NameProperty); }
set { SetValue (NameProperty, value); }
}
public TestDataPage ()
{
SetBinding (NameProperty, new DataSourceBinding ("Name"));
}
}
class DataSource : BaseDataSource
{
ObservableCollection<IDataItem> data = new ObservableCollection<IDataItem> ();
protected override Task<IList<IDataItem>> GetRawData ()
{
return Task.FromResult<IList<IDataItem>> (data);
}
protected override object GetValue (string key)
{
var target = data.FirstOrDefault (d => d.Name == key);
if (target == null)
throw new KeyNotFoundException ();
return target.Value;
}
protected override bool SetValue (string key, object value)
{
var target = data.FirstOrDefault (d => d.Name == key);
if (target == null)
data.Add (new DataItem (key, value));
else if (target.Value == value)
return false;
else
target.Value = value;
return true;
}
}
[Test]
public void DefaultBindingsLoad ()
{
IDataSource dataSource = new DataSource ();
dataSource["Name"] = "Jason";
var detailpage = new TestDataPage ();
detailpage.Platform = new UnitPlatform ();
detailpage.DataSource = dataSource;
Assert.AreEqual ("Jason", detailpage.Name);
}
[Test]
public void RebindingDataSource ()
{
IDataSource dataSource = new DataSource ();
dataSource["UserName"] = "Jason";
var detailpage = new TestDataPage ();
detailpage.Platform = new UnitPlatform ();
detailpage.SetBinding (TestDataPage.NameProperty, new DataSourceBinding ("UserName"));
detailpage.DataSource = dataSource;
Assert.AreEqual ("Jason", detailpage.Name);
}
[Test]
public void RebindingDataSourceNotMasked ()
{
IDataSource dataSource = new DataSource ();
dataSource["UserName"] = "Jason";
var detailpage = new TestDataPage ();
detailpage.Platform = new UnitPlatform ();
detailpage.DataSource = dataSource;
detailpage.SetBinding (TestDataPage.NameProperty, new DataSourceBinding ("UserName"));
Assert.AreEqual ("Jason", detailpage.Name);
Assert.AreEqual (1, detailpage.DataSource.MaskedKeys.Count ());
}
[Test]
public void UpdateDataSource ()
{
IDataSource dataSource = new DataSource ();
dataSource["UserName"] = "Jason";
var detailpage = new TestDataPage ();
detailpage.Platform = new UnitPlatform ();
detailpage.SetBinding (TestDataPage.NameProperty, new DataSourceBinding ("UserName"));
detailpage.DataSource = dataSource;
dataSource["UserName"] = "Jerry";
Assert.AreEqual ("Jerry", detailpage.Name);
}
[Test]
public void MaskedItemsNotInData ()
{
IDataSource dataSource = new DataSource ();
dataSource["Name"] = "Jason";
dataSource["Other"] = "Foo";
var detailpage = new TestDataPage ();
detailpage.Platform = new UnitPlatform ();
detailpage.DataSource = dataSource;
Assert.AreEqual ("Jason", detailpage.Name);
Assert.AreEqual (1, detailpage.Data.Count ());
Assert.AreEqual ("Other", detailpage.Data.First ().Name);
}
[Test]
public void TwoWayDataSourceBinding ()
{
IDataSource dataSource = new DataSource ();
dataSource["UserName"] = "Jason";
var detailpage = new TestDataPage ();
detailpage.Platform = new UnitPlatform ();
detailpage.SetBinding (TestDataPage.NameProperty, new DataSourceBinding ("UserName", BindingMode.TwoWay));
detailpage.DataSource = dataSource;
((IElementController)detailpage).SetValueFromRenderer (TestDataPage.NameProperty, "John");
Assert.AreEqual ("John", dataSource["UserName"]);
}
}
}
| 25.873494 | 109 | 0.69383 | [
"MIT"
] | 1rfan786/xamarin.android | Xamarin.Forms.Pages.UnitTests/DataPageTests.cs | 4,297 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Worldpay.Innovation.WPWithin.Sample.Commands
{
/// <summary>
/// Used by <see cref="CommandMenu"/> commands to indicate how the method terminated (if an exception wasn't thrown).
/// </summary>
public enum CommandResult
{
/// <summary>
/// No operation
/// </summary>
NoOp,
/// <summary>
/// Invalid command
/// </summary>
NoSuchCommand,
/// <summary>
/// Command executed successfully
/// </summary>
Success,
/// <summary>
/// An error occurred, which the program can continue (to try again).
/// </summary>
NonCriticalError,
/// <summary>
/// A critical error occurred and should cause the calling program to terminate.
/// </summary>
CriticalError,
/// <summary>
/// Calling program should terminate.
/// </summary>
Exit
}
}
| 25.571429 | 121 | 0.564246 | [
"MIT"
] | UpperLEFTY/worldpay-within-sdk | wrappers/dotnet/Worldpay.Within/Worldpay.Innovation.WPWithin.Sample/Commands/CommandResult.cs | 1,076 | C# |
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
// As informações gerais sobre um assembly são controladas por
// conjunto de atributos. Altere estes valores de atributo para modificar as informações
// associadas a um assembly.
[assembly: AssemblyTitle("WFPresentation")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("WFPresentation")]
[assembly: AssemblyCopyright("Copyright © 2020")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]
// Definir ComVisible como false torna os tipos neste assembly invisíveis
// para componentes COM. Caso precise acessar um tipo neste assembly de
// COM, defina o atributo ComVisible como true nesse tipo.
[assembly: ComVisible(false)]
// O GUID a seguir será destinado à ID de typelib se este projeto for exposto para COM
[assembly: Guid("a04db55f-c93e-4bf7-b15a-d52b77dc095f")]
// As informações da versão de um assembly consistem nos quatro valores a seguir:
//
// Versão Principal
// Versão Secundária
// Número da Versão
// Revisão
//
// É possível especificar todos os valores ou usar como padrão os Números de Build e da Revisão
// usando o "*" como mostrado abaixo:
// [assembly: AssemblyVersion("1.0.*")]
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.0.0.0")]
| 38.297297 | 95 | 0.753705 | [
"MIT"
] | juvensstlouis/LocadoraEntityFramework | LocadoraEF/WFPresentation/Properties/AssemblyInfo.cs | 1,442 | C# |
// Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License.
using System;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.Bot.Builder;
using Microsoft.Bot.Builder.Dialogs;
using Microsoft.Bot.Schema;
using Microsoft.Extensions.Logging;
using Newtonsoft.Json.Linq;
namespace Microsoft.BotBuilderSamples
{
/// <summary>
/// Demonstrates the following concepts:
/// - Use a subclass of ComponentDialog to implement a multi-turn conversation
/// - Use a Waterflow dialog to model multi-turn conversation flow
/// - Use custom prompts to validate user input
/// - Store conversation and user state.
/// </summary>
public class GreetingDialog : ComponentDialog
{
// User state for greeting dialog
private const string GreetingStateProperty = "greetingState";
private const string NameValue = "greetingName";
private const string CityValue = "greetingCity";
// Prompts names
private const string NamePrompt = "namePrompt";
private const string CityPrompt = "cityPrompt";
// Minimum length requirements for city and name
private const int NameLengthMinValue = 3;
private const int CityLengthMinValue = 5;
// Dialog IDs
private const string ProfileDialog = "profileDialog";
/// <summary>
/// Initializes a new instance of the <see cref="GreetingDialog"/> class.
/// </summary>
/// <param name="botServices">Connected services used in processing.</param>
/// <param name="botState">The <see cref="UserState"/> for storing properties at user-scope.</param>
/// <param name="loggerFactory">The <see cref="ILoggerFactory"/> that enables logging and tracing.</param>
public GreetingDialog(IStatePropertyAccessor<GreetingState> greetingStateAccessor, ILoggerFactory loggerFactory)
: base(nameof(GreetingDialog))
{
GreetingStateAccessor = greetingStateAccessor ?? throw new ArgumentNullException(nameof(greetingStateAccessor));
// Add control flow dialogs
var waterfallSteps = new WaterfallStep[]
{
InitializeStateStepAsync,
PromptForNameStepAsync,
PromptForCityStepAsync,
DisplayGreetingStateStepAsync,
};
AddDialog(new WaterfallDialog(ProfileDialog, waterfallSteps));
AddDialog(new TextPrompt(NamePrompt, ValidateName));
AddDialog(new TextPrompt(CityPrompt, ValidateCity));
}
public IStatePropertyAccessor<GreetingState> GreetingStateAccessor { get; }
private async Task<DialogTurnResult> InitializeStateStepAsync(WaterfallStepContext stepContext, CancellationToken cancellationToken)
{
var greetingState = await GreetingStateAccessor.GetAsync(stepContext.Context, () => null);
if (greetingState == null)
{
var greetingStateOpt = stepContext.Options as GreetingState;
if (greetingStateOpt != null)
{
await GreetingStateAccessor.SetAsync(stepContext.Context, greetingStateOpt);
}
else
{
await GreetingStateAccessor.SetAsync(stepContext.Context, new GreetingState());
}
}
return await stepContext.NextAsync();
}
private async Task<DialogTurnResult> PromptForNameStepAsync(
WaterfallStepContext stepContext,
CancellationToken cancellationToken)
{
var greetingState = await GreetingStateAccessor.GetAsync(stepContext.Context);
// if we have everything we need, greet user and return.
if (greetingState != null && !string.IsNullOrWhiteSpace(greetingState.Name) && !string.IsNullOrWhiteSpace(greetingState.City))
{
return await GreetUser(stepContext);
}
if (string.IsNullOrWhiteSpace(greetingState.Name))
{
// prompt for name, if missing
var opts = new PromptOptions
{
Prompt = new Activity
{
Type = ActivityTypes.Message,
Text = "What is your name?",
},
};
return await stepContext.PromptAsync(NamePrompt, opts);
}
else
{
return await stepContext.NextAsync();
}
}
private async Task<DialogTurnResult> PromptForCityStepAsync(
WaterfallStepContext stepContext,
CancellationToken cancellationToken)
{
// Save name, if prompted.
var greetingState = await GreetingStateAccessor.GetAsync(stepContext.Context);
var lowerCaseName = stepContext.Result as string;
if (string.IsNullOrWhiteSpace(greetingState.Name) && lowerCaseName != null)
{
// Capitalize and set name.
greetingState.Name = char.ToUpper(lowerCaseName[0]) + lowerCaseName.Substring(1);
await GreetingStateAccessor.SetAsync(stepContext.Context, greetingState);
}
if (string.IsNullOrWhiteSpace(greetingState.City))
{
var opts = new PromptOptions
{
Prompt = new Activity
{
Type = ActivityTypes.Message,
Text = $"Hello {greetingState.Name}, what city do you live in?",
},
};
return await stepContext.PromptAsync(CityPrompt, opts);
}
else
{
return await stepContext.NextAsync();
}
}
private async Task<DialogTurnResult> DisplayGreetingStateStepAsync(
WaterfallStepContext stepContext,
CancellationToken cancellationToken)
{
// Save city, if prompted.
var greetingState = await GreetingStateAccessor.GetAsync(stepContext.Context);
var lowerCaseCity = stepContext.Result as string;
if (string.IsNullOrWhiteSpace(greetingState.City) &&
!string.IsNullOrWhiteSpace(lowerCaseCity))
{
// capitalize and set city
greetingState.City = char.ToUpper(lowerCaseCity[0]) + lowerCaseCity.Substring(1);
await GreetingStateAccessor.SetAsync(stepContext.Context, greetingState);
}
return await GreetUser(stepContext);
}
/// <summary>
/// Validator function to verify if the user name meets required constraints.
/// </summary>
/// <param name="promptContext">Context for this prompt.</param>
/// <param name="cancellationToken">A <see cref="CancellationToken"/> that can be used by other objects
/// or threads to receive notice of cancellation.</param>
/// <returns>A <see cref="Task"/> that represents the work queued to execute.</returns>
private async Task<bool> ValidateName(PromptValidatorContext<string> promptContext, CancellationToken cancellationToken)
{
// Validate that the user entered a minimum length for their name.
var value = promptContext.Recognized.Value?.Trim() ?? string.Empty;
if (value.Length > NameLengthMinValue)
{
promptContext.Recognized.Value = value;
return true;
}
else
{
await promptContext.Context.SendActivityAsync($"Names needs to be at least `{NameLengthMinValue}` characters long.").ConfigureAwait(false);
return false;
}
}
/// <summary>
/// Validator function to verify if city meets required constraints.
/// </summary>
/// <param name="promptContext">Context for this prompt.</param>
/// <param name="cancellationToken">A <see cref="CancellationToken"/> that can be used by other objects
/// or threads to receive notice of cancellation.</param>
/// <returns>A <see cref="Task"/> that represents the work queued to execute.</returns>
private async Task<bool> ValidateCity(PromptValidatorContext<string> promptContext, CancellationToken cancellationToken)
{
// Validate that the user entered a minimum lenght for their name
var value = promptContext.Recognized.Value?.Trim() ?? string.Empty;
if (value.Length > CityLengthMinValue)
{
promptContext.Recognized.Value = value;
return true;
}
else
{
await promptContext.Context.SendActivityAsync($"City names needs to be at least `{CityLengthMinValue}` characters long.").ConfigureAwait(false);
return false;
}
}
// Helper function to greet user with information in GreetingState.
private async Task<DialogTurnResult> GreetUser(WaterfallStepContext stepContext)
{
var context = stepContext.Context;
var greetingState = await GreetingStateAccessor.GetAsync(context);
// Display their profile information and end dialog.
await context.SendActivityAsync($"Hi {greetingState.Name}, from {greetingState.City}, nice to meet you!");
return await stepContext.EndDialogAsync();
}
}
}
| 44.133333 | 160 | 0.592246 | [
"MIT"
] | AhmedMagdyG/BotBuilder-Samples | samples/csharp_dotnetcore/09.message-routing/Dialogs/Greeting/GreetingDialog.cs | 9,932 | C# |
using System.Data.Common;
using System.Data.Linq.Provider.NodeTypes;
namespace System.Data.Linq.Provider.Interfaces
{
internal interface IObjectReaderCompiler {
IObjectReaderFactory Compile(SqlExpression expression, Type elementType);
IObjectReaderSession CreateSession(DbDataReader reader, IReaderProvider provider, object[] parentArgs, object[] userArgs, ICompiledSubQuery[] subQueries);
}
} | 40 | 156 | 0.83 | [
"MIT"
] | LogicAndTrick/LinqToSQL2 | src/Provider/Interfaces/IObjectReaderCompiler.cs | 400 | C# |
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by a tool.
// Runtime Version:4.0.30319.34209
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
namespace MethodPrintStatistics {
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", "4.0.0.0")]
[global::System.Diagnostics.DebuggerNonUserCodeAttribute()]
[global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()]
internal class MessageTemplates {
private static global::System.Resources.ResourceManager resourceMan;
private static global::System.Globalization.CultureInfo resourceCulture;
[global::System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1811:AvoidUncalledPrivateCode")]
internal MessageTemplates() {
}
/// <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("_02.MethodPrintStatistics.MessageTemplates", typeof(MessageTemplates).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 string similar to The average number in the array is {0}.
/// </summary>
internal static string AverageNumberMessage {
get {
return ResourceManager.GetString("AverageNumberMessage", resourceCulture);
}
}
/// <summary>
/// Looks up a localized string similar to The maximum number in the array is {0}.
/// </summary>
internal static string MaximumNumberMessage {
get {
return ResourceManager.GetString("MaximumNumberMessage", resourceCulture);
}
}
/// <summary>
/// Looks up a localized string similar to The minimum number in the array is {0}.
/// </summary>
internal static string MinimumNumberMessage {
get {
return ResourceManager.GetString("MinimumNumberMessage", resourceCulture);
}
}
}
}
| 41.945055 | 194 | 0.599424 | [
"MIT"
] | MarinMarinov/High-Quality-Code | HW04CorrectUseOfVariablesDataExpressionsAndConstants/02.MethodPrintStatistics/MessageTemplates.Designer.cs | 3,819 | C# |
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
// 有关程序集的一般信息由以下
// 控制。更改这些特性值可修改
// 与程序集关联的信息。
[assembly: AssemblyTitle("Native.Csharp.Sdk")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("Native.Csharp.Sdk")]
[assembly: AssemblyCopyright("Copyright © Jie2GG 2018 . GitHub: https://github.com/Jie2GG/Native")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]
// 将 ComVisible 设置为 false 会使此程序集中的类型
//对 COM 组件不可见。如果需要从 COM 访问此程序集中的类型
//请将此类型的 ComVisible 特性设置为 true。
[assembly: ComVisible(false)]
// 如果此项目向 COM 公开,则下列 GUID 用于类型库的 ID
[assembly: Guid("8bc2c861-d30c-425b-98a7-812792d2017d")]
// 程序集的版本信息由下列四个值组成:
//
// 主版本
// 次版本
// 生成号
// 修订号
//
// 可以指定所有值,也可以使用以下所示的 "*" 预置版本号和修订号
//通过使用 "*",如下所示:
// [assembly: AssemblyVersion("1.0.*")]
[assembly: AssemblyVersion ("3.2.1.0906")]
[assembly: AssemblyFileVersion ("3.2.1.0906")]
| 28.243243 | 100 | 0.692823 | [
"MIT"
] | BlmVay/Native.Csharp.Frame | Native.Csharp/Properties/AssemblyInfo.cs | 1,380 | C# |
namespace L2ScriptMaker.Modules.AI
{
partial class AIRaidPosGenerator
{
/// <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()
{
System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(AIRaidPosGenerator));
this.StatusStrip = new System.Windows.Forms.StatusStrip();
this.ToolStripProgressBar = new System.Windows.Forms.ToolStripProgressBar();
this.QuitButton = new System.Windows.Forms.Button();
this.StartButton = new System.Windows.Forms.Button();
this.PictureBox1 = new System.Windows.Forms.PictureBox();
this.GenPosCheckBox = new System.Windows.Forms.CheckBox();
this.Label3 = new System.Windows.Forms.Label();
this.Label2 = new System.Windows.Forms.Label();
this.OpenFileDialog = new System.Windows.Forms.OpenFileDialog();
this.SaveFileDialog = new System.Windows.Forms.SaveFileDialog();
this.GenPrivatesCheckBox = new System.Windows.Forms.CheckBox();
this.StatusStrip.SuspendLayout();
((System.ComponentModel.ISupportInitialize)(this.PictureBox1)).BeginInit();
this.SuspendLayout();
//
// StatusStrip
//
this.StatusStrip.Items.AddRange(new System.Windows.Forms.ToolStripItem[] {
this.ToolStripProgressBar});
this.StatusStrip.Location = new System.Drawing.Point(0, 179);
this.StatusStrip.Name = "StatusStrip";
this.StatusStrip.Size = new System.Drawing.Size(339, 22);
this.StatusStrip.TabIndex = 58;
this.StatusStrip.Text = "StatusStrip";
//
// ToolStripProgressBar
//
this.ToolStripProgressBar.Name = "ToolStripProgressBar";
this.ToolStripProgressBar.Size = new System.Drawing.Size(300, 16);
//
// QuitButton
//
this.QuitButton.Location = new System.Drawing.Point(129, 117);
this.QuitButton.Name = "QuitButton";
this.QuitButton.Size = new System.Drawing.Size(75, 23);
this.QuitButton.TabIndex = 57;
this.QuitButton.Text = "Quit";
this.QuitButton.UseVisualStyleBackColor = true;
this.QuitButton.Click += new System.EventHandler(this.QuitButton_Click);
//
// StartButton
//
this.StartButton.Location = new System.Drawing.Point(129, 88);
this.StartButton.Name = "StartButton";
this.StartButton.Size = new System.Drawing.Size(75, 23);
this.StartButton.TabIndex = 56;
this.StartButton.Text = "Start";
this.StartButton.UseVisualStyleBackColor = true;
this.StartButton.Click += new System.EventHandler(this.StartButton_Click);
//
// PictureBox1
//
this.PictureBox1.Image = ((System.Drawing.Image)(resources.GetObject("PictureBox1.Image")));
this.PictureBox1.Location = new System.Drawing.Point(12, 6);
this.PictureBox1.Name = "PictureBox1";
this.PictureBox1.Size = new System.Drawing.Size(108, 159);
this.PictureBox1.TabIndex = 55;
this.PictureBox1.TabStop = false;
//
// GenPosCheckBox
//
this.GenPosCheckBox.AutoSize = true;
this.GenPosCheckBox.Checked = true;
this.GenPosCheckBox.CheckState = System.Windows.Forms.CheckState.Checked;
this.GenPosCheckBox.Location = new System.Drawing.Point(210, 92);
this.GenPosCheckBox.Name = "GenPosCheckBox";
this.GenPosCheckBox.Size = new System.Drawing.Size(108, 17);
this.GenPosCheckBox.TabIndex = 61;
this.GenPosCheckBox.Text = "Generate npcpos";
this.GenPosCheckBox.UseVisualStyleBackColor = true;
//
// Label3
//
this.Label3.AutoSize = true;
this.Label3.Font = new System.Drawing.Font("Microsoft Sans Serif", 8.25F, System.Drawing.FontStyle.Italic, System.Drawing.GraphicsUnit.Point, ((byte)(204)));
this.Label3.Location = new System.Drawing.Point(177, 38);
this.Label3.Name = "Label3";
this.Label3.Size = new System.Drawing.Size(141, 13);
this.Label3.TabIndex = 60;
this.Label3.Text = "(support L2Disasm client file)";
//
// Label2
//
this.Label2.AutoSize = true;
this.Label2.Font = new System.Drawing.Font("Arial", 9.75F, ((System.Drawing.FontStyle)((System.Drawing.FontStyle.Bold | System.Drawing.FontStyle.Italic))), System.Drawing.GraphicsUnit.Point, ((byte)(204)));
this.Label2.Location = new System.Drawing.Point(126, 6);
this.Label2.Name = "Label2";
this.Label2.Size = new System.Drawing.Size(201, 32);
this.Label2.TabIndex = 59;
this.Label2.Text = "Raid Boss Position AI class and\r\nsimple Npcpos Generator";
//
// GenPrivatesCheckBox
//
this.GenPrivatesCheckBox.AutoSize = true;
this.GenPrivatesCheckBox.Checked = true;
this.GenPrivatesCheckBox.CheckState = System.Windows.Forms.CheckState.Checked;
this.GenPrivatesCheckBox.Location = new System.Drawing.Point(210, 115);
this.GenPrivatesCheckBox.Name = "GenPrivatesCheckBox";
this.GenPrivatesCheckBox.Size = new System.Drawing.Size(111, 17);
this.GenPrivatesCheckBox.TabIndex = 62;
this.GenPrivatesCheckBox.Text = "Generate Privates";
this.GenPrivatesCheckBox.UseVisualStyleBackColor = true;
//
// AIRaidPosGenerator
//
this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F);
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
this.ClientSize = new System.Drawing.Size(339, 201);
this.Controls.Add(this.StatusStrip);
this.Controls.Add(this.QuitButton);
this.Controls.Add(this.StartButton);
this.Controls.Add(this.PictureBox1);
this.Controls.Add(this.GenPosCheckBox);
this.Controls.Add(this.Label3);
this.Controls.Add(this.Label2);
this.Controls.Add(this.GenPrivatesCheckBox);
this.FormBorderStyle = System.Windows.Forms.FormBorderStyle.FixedDialog;
this.Name = "AIRaidPosGenerator";
this.Text = "Raid Boss Position and simple Npcpos Generator";
this.StatusStrip.ResumeLayout(false);
this.StatusStrip.PerformLayout();
((System.ComponentModel.ISupportInitialize)(this.PictureBox1)).EndInit();
this.ResumeLayout(false);
this.PerformLayout();
}
#endregion
internal System.Windows.Forms.StatusStrip StatusStrip;
internal System.Windows.Forms.ToolStripProgressBar ToolStripProgressBar;
internal System.Windows.Forms.Button QuitButton;
internal System.Windows.Forms.Button StartButton;
internal System.Windows.Forms.PictureBox PictureBox1;
internal System.Windows.Forms.CheckBox GenPosCheckBox;
internal System.Windows.Forms.Label Label3;
internal System.Windows.Forms.Label Label2;
internal System.Windows.Forms.OpenFileDialog OpenFileDialog;
internal System.Windows.Forms.SaveFileDialog SaveFileDialog;
internal System.Windows.Forms.CheckBox GenPrivatesCheckBox;
}
} | 41.225434 | 209 | 0.733034 | [
"Apache-2.0"
] | Max4aters/L2ScriptMaker | L2ScriptMaker/Modules/AI/AIRaidPosGenerator.Designer.cs | 7,134 | C# |
using System;
using System.IO;
namespace Umbraco.Core.IO.MediaPathSchemes
{
/// <summary>
/// Implements a combined-guids media path scheme.
/// </summary>
/// <remarks>
/// <para>Path is "{combinedGuid}/{filename}" where combinedGuid is a combination of itemGuid and propertyGuid.</para>
/// </remarks>
public class CombinedGuidsMediaPathScheme : IMediaPathScheme
{
/// <inheritdoc />
public string GetFilePath(IMediaFileSystem fileSystem, Guid itemGuid, Guid propertyGuid, string filename, string previous = null)
{
// assumes that cuid and puid keys can be trusted - and that a single property type
// for a single content cannot store two different files with the same name
var combinedGuid = GuidUtils.Combine(itemGuid, propertyGuid);
var directory = HexEncoder.Encode(combinedGuid.ToByteArray()/*'/', 2, 4*/); // could use ext to fragment path eg 12/e4/f2/...
return Path.Combine(directory, filename).Replace('\\', '/');
}
/// <inheritdoc />
public string GetDeleteDirectory(IMediaFileSystem fileSystem, string filepath) => Path.GetDirectoryName(filepath);
}
}
| 41.896552 | 137 | 0.660905 | [
"MIT"
] | 0Neji/Umbraco-CMS | src/Umbraco.Core/IO/MediaPathSchemes/CombinedGuidsMediaPathScheme.cs | 1,217 | C# |
using Newtonsoft.Json;
using System;
using System.Web;
using System.Web.Mvc;
namespace MvcStuff
{
public class JsonNetResult : JsonResult
{
const string JsonRequest_GetNotAllowed = "This request has been blocked because sensitive information could be disclosed to third party web sites when this is used in a GET request. To allow GET requests, set JsonRequestBehavior to AllowGet.";
public override void ExecuteResult(ControllerContext context)
{
if (context == null)
throw new ArgumentNullException(nameof(context));
if (this.JsonRequestBehavior == JsonRequestBehavior.DenyGet && string.Equals(context.HttpContext.Request.HttpMethod, "GET", StringComparison.OrdinalIgnoreCase))
throw new InvalidOperationException(JsonRequest_GetNotAllowed);
HttpResponseBase response = context.HttpContext.Response;
response.ContentType = string.IsNullOrEmpty(this.ContentType) ? "application/json" : this.ContentType;
if (this.ContentEncoding != null)
response.ContentEncoding = this.ContentEncoding;
if (this.Data == null)
return;
var settings = new JsonSerializerSettings();
//if (this.MaxJsonLength.HasValue)
// scriptSerializer.MaxJsonLength = this.MaxJsonLength.Value;
if (this.RecursionLimit.HasValue)
settings.MaxDepth = this.RecursionLimit.Value;
response.Write(JsonConvert.SerializeObject(this.Data, settings));
}
#if ASP_MVC_3
public int? RecursionLimit { get; set; }
#endif
}
} | 43.342105 | 251 | 0.677596 | [
"MIT"
] | masbicudo/ASP.NET-MVC-Stuff | MvcStuff_MVC3/ActionResults/JsonNetResult.cs | 1,647 | C# |
using Futurum.Core.Functional;
using Futurum.Core.Result;
using Microsoft.AspNetCore.Mvc;
namespace Futurum.NanoController.Sample.Features.Error;
public static class ErrorResultScenario
{
public record CommandDto(string Id);
public class WebApi : NanoController.Command<CommandDto>.Post
{
public WebApi(INanoControllerRouter router) : base(router)
{
}
[HttpPost(NanoControllerRoute.VersionedStaticClass)]
public override Task<IActionResult> PostAsync(CommandDto request, CancellationToken cancellationToken = default) =>
Router.ExecuteAsync(new Command(request.Id), cancellationToken)
.ToBadRequestAsync(this);
}
public record Command(string Id) : INanoControllerRequest<Unit>;
public class Handler : INanoControllerHandler<Command>
{
public Task<Result<Unit>> ExecuteAsync(Command request, CancellationToken cancellationToken = default) =>
Result.FailAsync<Unit>($"An result error has occured - {request.Id}");
}
} | 33.935484 | 123 | 0.711977 | [
"MIT"
] | futurum-dev/dotnet.futurum.nanocontroller | sample/Futurum.NanoController.Sample/Features/Error/ErrorResultScenario.cs | 1,052 | C# |
namespace Ardalis.SmartEnum.MessagePack.UnitTests
{
using global::MessagePack;
using global::MessagePack.Resolvers;
using Xunit;
using FluentAssertions;
public class SmartEnumValueConverterTests
{
[MessagePackObject]
public class TestClass
{
[Key(0)]
[MessagePackFormatter(typeof(SmartEnumValueFormatter<TestEnumBoolean, bool>))]
public TestEnumBoolean Bool { get; set; }
[Key(1)]
[MessagePackFormatter(typeof(SmartEnumValueFormatter<TestEnumInt16, short>))]
public TestEnumInt16 Int16 { get; set; }
[Key(2)]
[MessagePackFormatter(typeof(SmartEnumValueFormatter<TestEnumInt32, int>))]
public TestEnumInt32 Int32 { get; set; }
[Key(3)]
[MessagePackFormatter(typeof(SmartEnumValueFormatter<TestEnumDouble, double>))]
public TestEnumDouble Double { get; set; }
}
static readonly TestClass NullTestInstance = new TestClass
{
Bool = null,
Int16 = null,
Int32 = null,
Double = null,
};
static readonly TestClass TestInstance = new TestClass
{
Bool = TestEnumBoolean.Instance,
Int16 = TestEnumInt16.Instance,
Int32 = TestEnumInt32.Instance,
Double = TestEnumDouble.Instance,
};
static readonly string JsonString = "[true,1,1,1]";
static SmartEnumValueConverterTests()
{
CompositeResolver.Create(
new SmartEnumValueFormatter<TestEnumBoolean, bool>(),
new SmartEnumValueFormatter<TestEnumInt16, short>(),
new SmartEnumValueFormatter<TestEnumInt32, int>(),
new SmartEnumValueFormatter<TestEnumDouble, double>()
);
}
[Fact]
public void SerializesValue()
{
var message = MessagePackSerializer.Serialize(TestInstance);
MessagePackSerializer.ConvertToJson(message).Should().Be(JsonString);
}
[Fact]
public void DeserializesValue()
{
var message = MessagePackSerializer.Serialize(TestInstance);
var obj = MessagePackSerializer.Deserialize<TestClass>(message);
obj.Bool.Should().BeSameAs(TestEnumBoolean.Instance);
obj.Int16.Should().BeSameAs(TestEnumInt16.Instance);
obj.Int32.Should().BeSameAs(TestEnumInt32.Instance);
obj.Double.Should().BeSameAs(TestEnumDouble.Instance);
}
}
} | 32.987342 | 91 | 0.605142 | [
"MIT"
] | Nemo-Illusionist/SmartEnum | test/SmartEnum.MessagePack.UnitTests/SmartEnumValueFormatterTests.cs | 2,606 | C# |
// Instance generated by TankLibHelper.InstanceBuilder
// ReSharper disable All
namespace TankLib.STU.Types {
[STUAttribute(0xA8E9D4FC)]
public class STU_A8E9D4FC : STUStatescriptState {
[STUFieldAttribute(0xA6A73F29, ReaderType = typeof(EmbeddedInstanceFieldReader))]
public STUConfigVar m_A6A73F29;
[STUFieldAttribute(0xB1AAF9F5, ReaderType = typeof(EmbeddedInstanceFieldReader))]
public STUConfigVar m_B1AAF9F5;
[STUFieldAttribute(0x9B1D5EE8, ReaderType = typeof(EmbeddedInstanceFieldReader))]
public STU_076E0DBA m_9B1D5EE8;
}
}
| 35.058824 | 89 | 0.751678 | [
"MIT"
] | Mike111177/OWLib | TankLib/STU/Types/STU_A8E9D4FC.cs | 596 | C# |
using System;
using System.Collections.Generic;
using System.Globalization;
using System.IO;
using System.Linq;
using System.Net;
public class Driver
{
public static void Main (string [] args)
{
new Driver ().Run (args);
}
struct RangeMap<T>
{
public int Start;
public int End;
public T Value;
}
List<RangeMap<char>> ranges = new List<RangeMap<char>> ();
char [] eaw = new char [0x10FFFF];
// list of optimizible mappings.
RangeMap<char> [] optmap = {
new RangeMap<char> () {Start = 0x2F800, End = 0x2FA1D, Value = 'W'},
new RangeMap<char> () {Start = 0x4DC0, End = 0x4DFF, Value = 'N'},
new RangeMap<char> () {Start = 0xD7B0, End = 0xD7C6, Value = 'N'},
new RangeMap<char> () {Start = 0xD7CB, End = 0xD7FB, Value = 'N'},
new RangeMap<char> () {Start = 0xE0001, End = 0xE0001, Value = 'N'},
new RangeMap<char> () {Start = 0xE0020, End = 0xE007F, Value = 'N'},
new RangeMap<char> () {Start = 0xE0100, End = 0xE01EF, Value = 'A'},
};
public void Run (string [] args)
{
string text = null;
string output = "EastAsianWidth.dat";
string mapoutput = "EastAsianWidth.opt";
string source = args.Length == 0 && File.Exists ("EastAsianWidth.txt") ? "EastAsianWidth.txt" : args.FirstOrDefault ();
if (source != null)
text = File.ReadAllText (source);
else {
string univer = args.Length > 0 ? args [0] : "UCD/latest";
string url = string.Format ("http://www.unicode.org/Public/{0}/ucd/EastAsianWidth.txt", univer);
text = new WebClient ().DownloadString (url);
}
var lines = text.Split ('\n');
Func<string,string> first = s => s.Substring (0, s.IndexOf ('.'));
Func<string,string> last = s => s.Substring (s.LastIndexOf ('.') + 1);
Func<string,int> parse = s => int.Parse (s, NumberStyles.HexNumber);
foreach (var p in lines
.Select (x => x.Split ('#'))
.Select (arr => arr [0].Trim ())
.Where (x => x.Contains (';'))
.Select (x => x.Split (';'))) {
if (p [0].Contains ('.'))
ranges.Add (new RangeMap<char> () {Start = parse (first (p [0])), End = parse (last (p [0])), Value = p [1].Last ()});
else
eaw [parse (p [0])] = p [1].Last ();
}
// Apply mapping optimizer - for predefined optimizible list, fill '\0' (only if the mapping was correct)
foreach (var m in optmap) {
bool invalid = false;
for (int i = m.Start; i <= m.End; i++)
if (eaw [i] != m.Value) {
Console.Error.WriteLine ("Invalid optimization, at {0:X06}", i);
invalid = true;
}
if (!invalid)
for (int i = m.Start; i <= m.End; i++)
eaw [i] = '\0';
}
// calculate max index. After this, mapping is not generated.
int maxIndex = 0;
for (int i = eaw.Length - 1;;i--) {
if (eaw [i] != '\0') {
Console.Error.WriteLine ("max EAW index: {0:X06}", i);
maxIndex = i;
break;
}
}
using (var fs = File.CreateText (output)) {
for (int i = 0; i <= maxIndex; i++)
fs.Write (eaw [i]);
}
using (var fs = File.CreateText (mapoutput)) {
string allRanges = string.Join (";", ranges.Concat (optmap)
.OrderBy (m => m.Start)
.Select (m => string.Format ("{0:X06}-{1:X06}={2}", m.Start, m.End, m.Value))
);
fs.WriteLine (allRanges);
}
}
}
| 31.50495 | 122 | 0.596794 | [
"MIT"
] | atsushieno/nunicode | NUnicode/generator/generate-east-asian-width.cs | 3,182 | C# |
using System.Collections.Generic;
using System.Linq;
using UnityEngine;
namespace DCL.EmotesWheel
{
public class EmotesWheelController : IHUD
{
internal EmotesWheelView view;
private BaseVariable<bool> emotesVisible => DataStore.i.HUDs.emotesVisible;
private BaseVariable<bool> isAvatarEditorVisible => DataStore.i.HUDs.avatarEditorVisible;
private BaseVariable<bool> isStartMenuOpen => DataStore.i.exploreV2.isOpen;
private BaseVariable<bool> canStartMenuBeOpened => DataStore.i.exploreV2.isSomeModalOpen;
private bool shortcutsCanBeUsed => !isStartMenuOpen.Get();
private DataStore_EmotesCustomization emotesCustomizationDataStore => DataStore.i.emotesCustomization;
private BaseDictionary<(string bodyshapeId, string emoteId), AnimationClip> emoteAnimations => DataStore.i.emotes.animations;
private UserProfile ownUserProfile => UserProfile.GetOwnUserProfile();
private InputAction_Trigger closeWindow;
private InputAction_Hold openEmotesCustomizationInputAction;
private InputAction_Trigger shortcut0InputAction;
private InputAction_Trigger shortcut1InputAction;
private InputAction_Trigger shortcut2InputAction;
private InputAction_Trigger shortcut3InputAction;
private InputAction_Trigger shortcut4InputAction;
private InputAction_Trigger shortcut5InputAction;
private InputAction_Trigger shortcut6InputAction;
private InputAction_Trigger shortcut7InputAction;
private InputAction_Trigger shortcut8InputAction;
private InputAction_Trigger shortcut9InputAction;
private InputAction_Trigger auxShortcut0InputAction;
private InputAction_Trigger auxShortcut1InputAction;
private InputAction_Trigger auxShortcut2InputAction;
private InputAction_Trigger auxShortcut3InputAction;
private InputAction_Trigger auxShortcut4InputAction;
private InputAction_Trigger auxShortcut5InputAction;
private InputAction_Trigger auxShortcut6InputAction;
private InputAction_Trigger auxShortcut7InputAction;
private InputAction_Trigger auxShortcut8InputAction;
private InputAction_Trigger auxShortcut9InputAction;
private bool emoteJustTriggeredFromShortcut = false;
private UserProfile userProfile;
private BaseDictionary<string, WearableItem> catalog;
private bool ownedWearablesAlreadyRequested = false;
private BaseDictionary<string, EmoteWheelSlot> slotsInLoadingState = new BaseDictionary<string, EmoteWheelSlot>();
public EmotesWheelController(UserProfile userProfile, BaseDictionary<string, WearableItem> catalog)
{
closeWindow = Resources.Load<InputAction_Trigger>("CloseWindow");
closeWindow.OnTriggered += OnCloseWindowPressed;
view = EmotesWheelView.Create();
view.OnClose += OnViewClosed;
view.onEmoteClicked += PlayEmote;
view.OnCustomizeClicked += OpenEmotesCustomizationSection;
ownUserProfile.OnAvatarEmoteSet += OnAvatarEmoteSet;
emotesVisible.OnChange += OnEmoteVisibleChanged;
OnEmoteVisibleChanged(emotesVisible.Get(), false);
isStartMenuOpen.OnChange += IsStartMenuOpenChanged;
this.userProfile = userProfile;
this.catalog = catalog;
emotesCustomizationDataStore.equippedEmotes.OnSet += OnEquippedEmotesSet;
OnEquippedEmotesSet(emotesCustomizationDataStore.equippedEmotes.Get());
emoteAnimations.OnAdded += OnAnimationAdded;
ConfigureShortcuts();
emotesCustomizationDataStore.isWheelInitialized.Set(true);
}
public void SetVisibility(bool visible)
{
//TODO once kernel sends visible properly
//expressionsVisible.Set(visible);
}
private void OnEmoteVisibleChanged(bool current, bool previous) { SetVisibility_Internal(current); }
private void IsStartMenuOpenChanged(bool current, bool previous)
{
if (!current)
return;
emotesVisible.Set(false);
}
private void OnEquippedEmotesSet(IEnumerable<EquippedEmoteData> equippedEmotes) { UpdateEmoteSlots(); }
private void UpdateEmoteSlots()
{
if (catalog == null)
return;
List<EmotesWheelView.EmoteSlotData> emotesToSet = new List<EmotesWheelView.EmoteSlotData>();
foreach (EquippedEmoteData equippedEmoteData in emotesCustomizationDataStore.equippedEmotes.Get())
{
if (equippedEmoteData != null)
{
catalog.TryGetValue(equippedEmoteData.id, out WearableItem emoteItem);
if (emoteItem != null)
{
if (!emoteItem.data.tags.Contains(WearableLiterals.Tags.BASE_WEARABLE) && userProfile.GetItemAmount(emoteItem.id) == 0)
{
emotesToSet.Add(null);
}
else
{
emotesToSet.Add(new EmotesWheelView.EmoteSlotData
{
emoteItem = emoteItem,
thumbnailSprite = emoteItem.thumbnailSprite != null ? emoteItem.thumbnailSprite : equippedEmoteData.cachedThumbnail
});
}
}
else
{
emotesToSet.Add(null);
}
}
else
{
emotesToSet.Add(null);
}
}
List<EmoteWheelSlot> updatedWheelSlots = view.SetEmotes(emotesToSet);
foreach (EmoteWheelSlot slot in updatedWheelSlots)
{
slot.SetAsLoading(false);
slotsInLoadingState.Remove(slot.emoteId);
if (string.IsNullOrEmpty(slot.emoteId))
continue;
slot.SetAsLoading(true);
slotsInLoadingState.Add(slot.emoteId, slot);
RefreshSlotLoadingState(slot.emoteId);
}
}
private void OnAnimationAdded((string bodyshapeId, string emoteId) values, AnimationClip animationClip) { RefreshSlotLoadingState(values.emoteId); }
private void RefreshSlotLoadingState(string emoteId)
{
if (emoteAnimations.ContainsKey((userProfile.avatar.bodyShape, emoteId)))
{
slotsInLoadingState.TryGetValue(emoteId, out EmoteWheelSlot slot);
if (slot != null)
{
slot.SetAsLoading(false);
slotsInLoadingState.Remove(emoteId);
}
}
}
public void SetVisibility_Internal(bool visible)
{
if (isStartMenuOpen.Get())
return;
if (emoteJustTriggeredFromShortcut)
{
emoteJustTriggeredFromShortcut = false;
emotesVisible.Set(false);
return;
}
view.SetVisiblity(visible);
if (visible)
{
DCL.Helpers.Utils.UnlockCursor();
if (userProfile != null &&
!string.IsNullOrEmpty(userProfile.userId) &&
!ownedWearablesAlreadyRequested)
{
CatalogController.RequestOwnedWearables(userProfile.userId)
.Then((ownedWearables) =>
{
ownedWearablesAlreadyRequested = true;
userProfile.SetInventory(ownedWearables.Select(x => x.id).ToArray());
UpdateEmoteSlots();
});
}
}
canStartMenuBeOpened.Set(visible);
}
public void Dispose()
{
view.OnClose -= OnViewClosed;
view.onEmoteClicked -= PlayEmote;
view.OnCustomizeClicked -= OpenEmotesCustomizationSection;
closeWindow.OnTriggered -= OnCloseWindowPressed;
ownUserProfile.OnAvatarEmoteSet -= OnAvatarEmoteSet;
emotesVisible.OnChange -= OnEmoteVisibleChanged;
emotesCustomizationDataStore.equippedEmotes.OnSet -= OnEquippedEmotesSet;
emoteAnimations.OnAdded -= OnAnimationAdded;
shortcut0InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut1InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut2InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut3InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut4InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut5InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut6InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut7InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut8InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
shortcut9InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut0InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut1InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut2InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut3InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut4InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut5InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut6InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut7InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut8InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
auxShortcut9InputAction.OnTriggered -= OnNumericShortcutInputActionTriggered;
if (view != null)
{
view.CleanUp();
UnityEngine.Object.Destroy(view.gameObject);
}
}
public void PlayEmote(string id)
{
if (string.IsNullOrEmpty(id))
return;
UserProfile.GetOwnUserProfile().SetAvatarExpression(id);
}
private void ConfigureShortcuts()
{
closeWindow = Resources.Load<InputAction_Trigger>("CloseWindow");
closeWindow.OnTriggered += OnCloseWindowPressed;
openEmotesCustomizationInputAction = Resources.Load<InputAction_Hold>("DefaultConfirmAction");
openEmotesCustomizationInputAction.OnFinished += OnOpenEmotesCustomizationInputActionTriggered;
shortcut0InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut0");
shortcut0InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut1InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut1");
shortcut1InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut2InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut2");
shortcut2InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut3InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut3");
shortcut3InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut4InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut4");
shortcut4InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut5InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut5");
shortcut5InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut6InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut6");
shortcut6InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut7InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut7");
shortcut7InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut8InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut8");
shortcut8InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
shortcut9InputAction = Resources.Load<InputAction_Trigger>("ToggleEmoteShortcut9");
shortcut9InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut0InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut0");
auxShortcut0InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut1InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut1");
auxShortcut1InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut2InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut2");
auxShortcut2InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut3InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut3");
auxShortcut3InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut4InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut4");
auxShortcut4InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut5InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut5");
auxShortcut5InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut6InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut6");
auxShortcut6InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut7InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut7");
auxShortcut7InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut8InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut8");
auxShortcut8InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
auxShortcut9InputAction = Resources.Load<InputAction_Trigger>("ToggleShortcut9");
auxShortcut9InputAction.OnTriggered += OnNumericShortcutInputActionTriggered;
}
private void OnNumericShortcutInputActionTriggered(DCLAction_Trigger action)
{
if (!shortcutsCanBeUsed)
return;
switch (action)
{
case DCLAction_Trigger.ToggleEmoteShortcut0:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[0]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut1:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[1]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut2:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[2]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut3:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[3]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut4:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[4]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut5:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[5]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut6:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[6]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut7:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[7]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut8:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[8]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleEmoteShortcut9:
PlayEmote(emotesCustomizationDataStore.equippedEmotes[9]?.id);
emoteJustTriggeredFromShortcut = true;
break;
case DCLAction_Trigger.ToggleShortcut0:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[0]?.id);
break;
case DCLAction_Trigger.ToggleShortcut1:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[1]?.id);
break;
case DCLAction_Trigger.ToggleShortcut2:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[2]?.id);
break;
case DCLAction_Trigger.ToggleShortcut3:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[3]?.id);
break;
case DCLAction_Trigger.ToggleShortcut4:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[4]?.id);
break;
case DCLAction_Trigger.ToggleShortcut5:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[5]?.id);
break;
case DCLAction_Trigger.ToggleShortcut6:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[6]?.id);
break;
case DCLAction_Trigger.ToggleShortcut7:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[7]?.id);
break;
case DCLAction_Trigger.ToggleShortcut8:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[8]?.id);
break;
case DCLAction_Trigger.ToggleShortcut9:
if (emotesVisible.Get())
PlayEmote(emotesCustomizationDataStore.equippedEmotes[9]?.id);
break;
}
}
private void OnViewClosed() { emotesVisible.Set(false); }
private void OnAvatarEmoteSet(string id, long timestamp) { emotesVisible.Set(false); }
private void OnCloseWindowPressed(DCLAction_Trigger action) { emotesVisible.Set(false); }
private void OnOpenEmotesCustomizationInputActionTriggered(DCLAction_Hold action)
{
if (!emotesVisible.Get())
return;
OpenEmotesCustomizationSection();
}
private void OpenEmotesCustomizationSection()
{
emotesVisible.Set(false);
isAvatarEditorVisible.Set(true);
emotesCustomizationDataStore.isEmotesCustomizationSelected.Set(true);
}
}
} | 48.447619 | 156 | 0.640112 | [
"Apache-2.0"
] | Timothyoung97/unity-renderer | unity-renderer/Assets/Scripts/MainScripts/DCL/Controllers/HUD/EmotesWheelHUD/EmotesWheelController.cs | 20,348 | C# |
/*
By: Luis Javier Karam, Pablo Rocha and Miguel Arriaga
Script used to make API calls from unity
05/04/2022
*/
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.Networking;
// UnityAPICaller class
public class Request
{
public string error;
public UnityEngine.Networking.UnityWebRequest.Result result;
public string response;
public long responseCode;
}
public class APICaller : MonoBehaviour
{
public int currentLevel = 0;
public IEnumerator GetRequest(string uri,System.Action<Request> callback=null)
{
using(UnityWebRequest www = UnityWebRequest.Get(uri))
{
// Request and wait for the desired page.
yield return www.SendWebRequest();
Request req = new Request();
req.result = www.result;
req.error = www.error;
req.response = www.downloadHandler.text;
req.responseCode= www.responseCode;
callback(req);
}
}
public IEnumerator PostRequest(string uri, string json, System.Action<Request> callback=null)
{
using (UnityWebRequest www = UnityWebRequest.Put(uri,json))
{
www.method = "POST";
www.SetRequestHeader("Content-Type", "application/json");
// Request and wait for the desired page.
yield return www.SendWebRequest();
Request req = new Request();
req.result = www.result;
req.error = www.error;
req.response = www.downloadHandler.text;
req.responseCode= www.responseCode;
callback(req);
}
}
public IEnumerator PutRequest(string uri, string json, System.Action<Request> callback=null)
{
using (UnityWebRequest www = UnityWebRequest.Put(uri,json))
{
www.SetRequestHeader("Content-Type", "application/json");
// Request and wait for the desired page.
yield return www.SendWebRequest();
Request req = new Request();
req.result = www.result;
req.error = www.error;
req.response = www.downloadHandler.text;
req.responseCode= www.responseCode;
callback(req);
}
}
public IEnumerator DeleteRequest(string uri, System.Action<Request> callback=null)
{
using (UnityWebRequest www = UnityWebRequest.Delete(uri))
{
// Request and wait for the desired page.
yield return www.SendWebRequest();
Request req = new Request();
req.result = www.result;
req.error = www.error;
req.response = www.responseCode.ToString();
req.responseCode= www.responseCode;
callback(req);
}
}
void Awake() {
DontDestroyOnLoad(transform.gameObject);
}
}
| 32.517241 | 98 | 0.621421 | [
"MIT"
] | PRocha0503/Construcci-n-de-software | videogame-module/Rythm Game/Assets/Scripts/API/APICaller.cs | 2,829 | C# |
// <Auto-Generated></Auto-Generated>
namespace System.Tests.ObjectCopy
{
internal class ObjectCopyClass1
{
private string _privateFields;
public string PublicFields;
public string casefields;
public string PublicProperty { get; set; }
public string caseproperty { get; set; }
private string PrivateProperty { get; set; }
public string SpecialProperty { get; }
public ObjectCopyClass1(string privateFields, string privateProperty, string specialProperty)
{
_privateFields = privateFields;
PrivateProperty = privateProperty;
SpecialProperty = specialProperty;
}
public string GetPrivateFieldsValue() => _privateFields;
public string GetPrivatePropertyValue() => PrivateProperty;
public ObjectCopyClass1 Clone() => MemberwiseClone() as ObjectCopyClass1;
public override bool Equals(object obj)
{
return obj is ObjectCopyClass1 @class &&
_privateFields == @class._privateFields &&
PublicFields == @class.PublicFields &&
casefields == @class.casefields &&
PublicProperty == @class.PublicProperty &&
caseproperty == @class.caseproperty &&
PrivateProperty == @class.PrivateProperty &&
SpecialProperty == @class.SpecialProperty;
}
}
}
| 31.085106 | 101 | 0.612594 | [
"MIT"
] | StratosBlue/Cuture.Generic.FrameworkBoost | tests/System.Tests/ObjectCopy/ObjectCopyClass1.cs | 1,463 | C# |
using System;
namespace Algorithms.Strings
{
/// <summary>
/// String sorting where the strings have different lengths and may:
/// - Have equal strings.
/// - Have strings keys with long common prefixes.
/// - Have strings that fall into a small range.
/// - Be a small array.
/// </summary>
public static class QuickSort3WaySort
{
private const Int32 CUT_OFF = 15; // Cutoff for small subarrays.
public static void Sort(String[] array)
{
Sort(array, 0, array.Length - 1, 0);
}
private static void Sort(String[] array, Int32 low, Int32 high, Int32 index)
{
if (high <= low + CUT_OFF)
{
InsertionSort(array, low, high, index);
return;
}
Int32 partition = CharAt(array[low], index);
Int32 idxLessThanPartition = low; // input[low..idxLessThanPartition-1] < partition
Int32 idxEqualToPartition = low + 1; // input[idxLessThanPartition..idxEqualToPartition] == partition
Int32 idxGreaterThanPartition = high; // input[low..idxGreaterThanPartition] > partition
while (idxEqualToPartition <= idxGreaterThanPartition)
{
Int32 t = CharAt(array[idxEqualToPartition], index);
if (t < partition)
{
Exchange(array, idxLessThanPartition++, idxEqualToPartition++);
}
else if (t > partition)
{
Exchange(array, idxEqualToPartition, idxGreaterThanPartition--);
}
else
{
idxEqualToPartition++;
}
}
Sort(array, low, idxLessThanPartition - 1, index);
if (partition >= 0)
{
Sort(array, idxLessThanPartition, idxGreaterThanPartition, index + 1);
}
Sort(array, idxGreaterThanPartition + 1, high, index);
// |--------------------------------------------------------|
// | less than | equal to | greater than |
// |--------------------------------------------------------|
// sort ^ sort ^ sort ^
}
private static Int32 CharAt(String text, Int32 index)
{
if (index < text.Length)
return text[index];
return -1;
}
private static void InsertionSort(String[] array, Int32 low, Int32 high, Int32 index)
{
for (int i = low; i <= high; i++)
{
for (int j = i; j > low && IsLess(array[j], array[j - 1], index); j--)
{
Exchange(array, j, j - 1);
}
}
}
private static void Exchange(String[] array, Int32 indexSource, Int32 indexTarget)
{
String temp = array[indexSource];
array[indexSource] = array[indexTarget];
array[indexTarget] = temp;
}
private static Boolean IsLess(String source, String target, Int32 index)
{
for (int i = index; i < Math.Min(source.Length, target.Length); i++)
{
if (source[i] < target[i])
return true;
if (source[i] > target[i])
return false;
}
return source.Length < target.Length;
}
}
}
| 32.623853 | 114 | 0.476097 | [
"MIT"
] | gfurtadoalmeida/study-algorithms | book-01/Algorithms/Strings/QuickSort3WaySort.cs | 3,558 | C# |
using System;
using System.Collections.Generic;
using System.Text;
using System.Text.Json;
using System.Text.Json.Serialization;
using System.Threading.Tasks;
using Microsoft.Extensions.Logging;
using MiniTwitChatClient.Abstractions;
using MiniTwitChatClient.Models;
using RabbitMQ.Client;
using RabbitMQ.Client.Events;
namespace MiniTwitChatClient
{
public class MiniChatClient : IMiniChatClient
{
public Action<ChatMessage> ReceivedMessage
{
get => _receivedMessage;
set
{
if (_rabbitConsumer == null)
{
_rabbitConsumer = new EventingBasicConsumer(_rabbitClient);
_rabbitConsumer.Received += HandleReceivedJob;
}
_receivedMessage = value;
}
}
private readonly ILogger<MiniChatClient> _logger;
private readonly IChatConfiguration _configuration;
private IModel _rabbitClient;
private Action<ChatMessage> _receivedMessage;
private EventingBasicConsumer _rabbitConsumer;
public MiniChatClient(ILogger<MiniChatClient> logger, IChatConfiguration configuration)
{
_logger = logger;
_configuration = configuration;
}
public Task PublishMessageAsync(ChatMessage message)
{
var body = Encoding.UTF8.GetBytes(JsonSerializer.Serialize(message));
_rabbitClient.BasicPublish("", message.ThreadId, null, body);
_logger.LogInformation("Sent message to topic: {0}", message.ThreadId);
return Task.FromResult(0);
}
public Task SubscribeAsync(List<string> chatThreads)
{
foreach (var thread in chatThreads)
{
_rabbitClient.QueueDeclare(thread, false, false, true, null);
_rabbitClient.BasicConsume(thread, true, _rabbitConsumer);
}
_logger.LogInformation("Subscribed to {0} chat threads", chatThreads.Count);
return Task.FromResult(0);
}
public Task ConnectAsync()
{
var factory = new ConnectionFactory()
{
HostName = _configuration.BrokerHost,
Port = _configuration.BrokerPort,
UserName = _configuration.BrokerUser,
Password = _configuration.BrokerPassword
};
_rabbitClient = factory.CreateConnection().CreateModel();
_logger.LogInformation("Chat client was connected to the MQTT Broker");
return Task.FromResult(0);
}
private void HandleReceivedJob(object obj, BasicDeliverEventArgs eventArgs)
=> _receivedMessage?.Invoke(JsonSerializer.Deserialize<ChatMessage>(Encoding.UTF8.GetString(eventArgs.Body.ToArray())));
}
} | 34.710843 | 137 | 0.625824 | [
"Apache-2.0"
] | jokk-itu/PythonKindergarten | MiniTwitApi/MiniTwitChatClient/MiniChatClient.cs | 2,881 | C# |
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Runtime.InteropServices.WindowsRuntime;
using Uno.UI.Samples.Controls;
using Windows.Foundation;
using Windows.Foundation.Collections;
using Windows.UI.Xaml;
using Windows.UI.Xaml.Controls;
using Windows.UI.Xaml.Controls.Primitives;
using Windows.UI.Xaml.Data;
using Windows.UI.Xaml.Input;
using Windows.UI.Xaml.Media;
using Windows.UI.Xaml.Navigation;
// The User Control item template is documented at https://go.microsoft.com/fwlink/?LinkId=234236
namespace UITests.Windows_UI_Xaml_Controls.CommandBar.Background
{
public sealed partial class CommandBar_Background_Page2 : Page
{
public CommandBar_Background_Page2()
{
this.InitializeComponent();
}
}
}
| 27.62069 | 97 | 0.772784 | [
"Apache-2.0"
] | AbdalaMask/uno | src/SamplesApp/UITests.Shared/Windows_UI_Xaml_Controls/CommandBar/Background/CommandBar_Background_Page2.xaml.cs | 803 | C# |
using System;
using System.Collections.Generic;
namespace SoulsFormats
{
/// <summary>
/// A general-purpose file container used in DS1, DSR, DeS, and NB. Extension: .*bnd
/// </summary>
public class BND3 : SoulsFile<BND3>, IBinder
{
/// <summary>
/// The files contained within this BND3.
/// </summary>
public List<File> Files;
IReadOnlyList<IBinderFile> IBinder.Files => Files;
/// <summary>
/// A timestamp or version number, 8 characters maximum.
/// </summary>
public string Timestamp;
/// <summary>
/// Indicates the format of the BND3.
/// </summary>
public byte Format;
/// <summary>
/// Write bytes in big-endian order for PS3.
/// </summary>
public bool BigEndian;
/// <summary>
/// Unknown; usually false.
/// </summary>
public bool Unk1;
/// <summary>
/// Unknown; usually 0.
/// </summary>
public int Unk2;
/// <summary>
/// Creates an empty BND3 formatted for DS1.
/// </summary>
public BND3()
{
Files = new List<File>();
Timestamp = SFUtil.DateToBinderTimestamp(DateTime.Now);
Format = 0x74;
BigEndian = false;
Unk1 = false;
Unk2 = 0;
}
/// <summary>
/// Returns true if the data appears to be a BND3.
/// </summary>
internal override bool Is(BinaryReaderEx br)
{
string magic = br.GetASCII(0, 4);
return magic == "BND3";
}
/// <summary>
/// Reads BND3 data from a BinaryReaderEx.
/// </summary>
internal override void Read(BinaryReaderEx br)
{
br.BigEndian = false;
br.AssertASCII("BND3");
Timestamp = br.ReadFixStr(8);
Format = br.AssertByte(0x0E, 0x2E, 0x40, 0x54, 0x60, 0x64, 0x70, 0x74, 0xE0, 0xF0);
BigEndian = br.ReadBoolean();
Unk1 = br.ReadBoolean();
br.AssertByte(0);
br.BigEndian = BigEndian || Format == 0xE0 || Format == 0xF0;
int fileCount = br.ReadInt32();
// File headers end; sometimes 0, but it's redundant anyways
br.ReadInt32();
Unk2 = br.ReadInt32();
br.AssertInt32(0);
Files = new List<File>(fileCount);
for (int i = 0; i < fileCount; i++)
{
Files.Add(new File(br, Format));
}
}
/// <summary>
/// Writes BND3 data to a BinaryWriterEx.
/// </summary>
internal override void Write(BinaryWriterEx bw)
{
bw.BigEndian = false;
bw.WriteASCII("BND3");
bw.WriteFixStr(Timestamp, 8);
bw.WriteByte(Format);
bw.WriteBoolean(BigEndian);
bw.WriteBoolean(Unk1);
bw.WriteByte(0);
bw.BigEndian = BigEndian || Format == 0xE0 || Format == 0xF0;
bw.WriteInt32(Files.Count);
bw.ReserveInt32("HeaderEnd");
bw.WriteInt32(Unk2);
bw.WriteInt32(0);
for (int i = 0; i < Files.Count; i++)
Files[i].WriteHeader(bw, i, Format);
if (Format != 0x40)
{
for (int i = 0; i < Files.Count; i++)
Files[i].WriteName(bw, i);
}
bw.FillInt32($"HeaderEnd", (int)bw.Position);
for (int i = 0; i < Files.Count; i++)
Files[i].WriteData(bw, i, Format);
}
/// <summary>
/// A generic file in a BND3 container.
/// </summary>
public class File : IBinderFile
{
/// <summary>
/// The name of the file, typically a virtual path.
/// </summary>
public string Name { get; set; }
/// <summary>
/// The ID number of the file.
/// </summary>
public int ID { get; set; }
/// <summary>
/// Flags indicating whether to compress the file (0x80) and other things we don't understand.
/// </summary>
public byte Flags;
/// <summary>
/// The raw data of the file.
/// </summary>
public byte[] Bytes { get; set; }
/// <summary>
/// Creates a new File with the given information.
/// </summary>
public File(int id, string name, byte flags, byte[] bytes)
{
ID = id;
Name = name;
Flags = flags;
Bytes = bytes;
}
internal File(BinaryReaderEx br, byte format)
{
Flags = br.AssertByte(0x00, 0x02, 0x40, 0xC0);
br.AssertByte(0);
br.AssertByte(0);
br.AssertByte(0);
int compressedSize = br.ReadInt32();
int fileOffset = br.ReadInt32();
ID = br.ReadInt32();
if (format == 0x40)
{
Name = null;
}
else
{
int fileNameOffset = br.ReadInt32();
Name = br.GetShiftJIS(fileNameOffset);
}
int uncompressedSize = compressedSize;
if (format == 0x2E || format == 0x54 || format == 0x64 || format == 0x74)
uncompressedSize = br.ReadInt32();
// Compressed
if (Flags == 0xC0)
{
br.StepIn(fileOffset);
Bytes = SFUtil.ReadZlib(br, compressedSize);
br.StepOut();
}
else
{
Bytes = br.GetBytes(fileOffset, compressedSize);
}
}
internal void WriteHeader(BinaryWriterEx bw, int index, byte format)
{
bw.WriteByte(Flags);
bw.WriteByte(0);
bw.WriteByte(0);
bw.WriteByte(0);
bw.ReserveInt32($"CompressedSize{index}");
bw.ReserveInt32($"FileData{index}");
bw.WriteInt32(ID);
if (format != 0x40)
bw.ReserveInt32($"FileName{index}");
if (format == 0x2E || format == 0x54 || format == 0x64 || format == 0x74)
bw.WriteInt32(Bytes.Length);
}
internal void WriteName(BinaryWriterEx bw, int index)
{
bw.FillInt32($"FileName{index}", (int)bw.Position);
bw.WriteShiftJIS(Name, true);
}
internal void WriteData(BinaryWriterEx bw, int index, byte format)
{
if (Bytes.Length > 0)
bw.Pad(0x10);
bw.FillInt32($"FileData{index}", (int)bw.Position);
byte[] bytes = Bytes;
int compressedSize = bytes.Length;
if (Flags == 0xC0)
{
compressedSize = SFUtil.WriteZlib(bw, 0x9C, bytes);
}
else
{
bw.WriteBytes(bytes);
}
bw.FillInt32($"CompressedSize{index}", bytes.Length);
}
/// <summary>
/// Returns a string containing the ID and name of this file.
/// </summary>
public override string ToString()
{
return $"{ID} {Name ?? "<null>"}";
}
}
}
}
| 30.315175 | 106 | 0.45437 | [
"MIT"
] | Meowmaritus/ParamVessel | SoulsFormats/Formats/BND3.cs | 7,793 | C# |
/**
Copyright 2014-2021 Robert McNeel and Associates
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.Collections.Generic;
using System.Linq;
using System;
using Rhino.Render;
using Rhino.DocObjects;
namespace RhinoCyclesCore.Database
{
public class FocalBlur
{
private static int _runningSerial;
private readonly int _serial;
public FocalBlur(ViewInfo vi)
{
_serial = _runningSerial++;
UseFocalBlur = vi.FocalBlurMode == ViewInfoFocalBlurModes.Manual;
FocalDistance = (float)vi.FocalBlurDistance;
FocalAperture = (float)vi.FocalBlurAperture;
LensLength = (float)vi.Viewport.Camera35mmLensLength;
if (!UseFocalBlur)
{
FocalAperture = 0.0f;
FocalDistance = 10.0f;
LensLength = 50.0f;
}
}
public FocalBlur()
{
_serial = _runningSerial++;
UseFocalBlur = false;
FocalDistance = 10.0f;
FocalAperture = 0.0f;
LensLength = 50.0f;
}
public bool UseFocalBlur { get; set; }
public float FocalDistance { get; set; }
public float FocalAperture { get; set; }
public float LensLength { get; set; }
public override bool Equals(object obj)
{
var fb = obj as FocalBlur;
if (fb == null) return false;
return fb.UseFocalBlur == UseFocalBlur &&
Math.Abs(fb.FocalAperture - FocalAperture) < 0.000001 &&
Math.Abs(fb.FocalDistance - FocalDistance) < 0.000001;
}
public override int GetHashCode()
{
return _serial;
}
}
public class CameraDatabase
{
/// <summary>
/// record view changes to push to cycles
/// </summary>
private readonly List<CyclesView> _cqViewChanges = new List<CyclesView>();
/// <summary>
/// Return true if ChangeQueue mechanism recorded viewport changes.
/// </summary>
/// <returns></returns>
public bool HasChanges()
{
return _cqViewChanges.Any() || _focalBlurModified;
}
/// <summary>
/// Clear view change queue
/// </summary>
public void ResetViewChangeQueue()
{
_cqViewChanges.Clear();
_focalBlurModified = false;
}
/// <summary>
/// Record view change
/// </summary>
/// <param name="t">view info</param>
public void AddViewChange(CyclesView t)
{
_cqViewChanges.Add(t);
}
/// <summary>
/// Get latest CyclesView recorded.
/// </summary>
/// <returns></returns>
public CyclesView LatestView()
{
return _cqViewChanges.LastOrDefault();
}
public FocalBlur GetBlur()
{
return _focalBlur;
}
private FocalBlur _focalBlur = new FocalBlur();
private bool _focalBlurModified;
public bool HandleBlur(ViewInfo rs)
{
var fb = new FocalBlur(rs);
var rc = false;
if(!_focalBlur.Equals(fb))
{
_focalBlur = fb;
_focalBlurModified = true;
rc = true;
}
return rc;
}
}
}
| 22.270833 | 76 | 0.689429 | [
"Apache-2.0"
] | mcneel/RhinoCycles | Database/CameraDatabase.cs | 3,209 | C# |
using Newtonsoft.Json;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Net.Http;
using System.Text;
using System.Threading.Tasks;
using Xamarin.Forms;
namespace webservice
{
public partial class AddStudent : ContentPage
{
public AddStudent()
{
InitializeComponent();
}
public async void senddata(object o, EventArgs e)
{
string url = "http://mystudents.azurewebsites.net/api/StudentsApi";
var httpClient = new HttpClient();
Student s = new Student
{
Department = department.Text,
Fullname = name.Text
};
string content = JsonConvert.SerializeObject(s);
HttpContent httpcontent = new StringContent(content);
httpcontent.Headers.ContentType = new System.Net.Http.Headers.MediaTypeHeaderValue("application/json");
var response = await httpClient.PostAsync(url, httpcontent);
await DisplayAlert("Edition", s.Fullname + " est ajouté", "ok");
await Navigation.PushModalAsync(new MainPage());
}
}
}
| 24.978723 | 115 | 0.616695 | [
"MIT"
] | guihou/xamarincrud | webservice/webservice/AddStudent.xaml.cs | 1,177 | C# |
// Copyright(c) 2021 SceneGate
//
// 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 Yarhl.FileSystem;
namespace SceneGate.Ekona.Containers.Rom
{
/// <summary>
/// NDS cartridge file system.
/// </summary>
/// <remarks>
/// <para>The container hierarchy is:</para>
/// <list type="table">
/// <listheader><term>Node path</term><description>Description</description></listheader>
/// <item><term>/system</term><description>ROM information and program files.</description></item>
/// <item><term>/system/info</term><description>Program information.</description></item>
/// <item><term>/system/copyright_logo</term><description>Copyright logo.</description></item>
/// <item><term>/system/banner/</term><description>Program banner.</description></item>
/// <item><term>/system/banner/info</term><description>Program banner content.</description></item>
/// <item><term>/system/banner/icon</term><description>Program icon.</description></item>
/// <item><term>/system/arm9</term><description>Program execuable for ARM9 CPU.</description></item>
/// <item><term>/system/overlays9</term><description>Overlay libraries for ARM9 CPU.</description></item>
/// <item><term>/system/overlays9/overlay_0</term><description>Overlay 0 for ARM9 CPU.</description></item>
/// <item><term>/system/arm7</term><description>Program executable for ARM7 CPU.</description></item>
/// <item><term>/system/overlays7</term><description>Overlay libraries for ARM7 CPU.</description></item>
/// <item><term>/system/overlays7/overlay7_0</term><description>Overlay 0 for ARM7 CPU.</description></item>
/// <item><term>/data</term><description>Program data files.</description></item>
/// </list>
/// </remarks>
public class NitroRom : NodeContainerFormat
{
/// <summary>
/// Initializes a new instance of the <see cref="NitroRom"/> class.
/// </summary>
public NitroRom()
{
Node system = NodeFactory.CreateContainer("system");
system.Add(new Node("info", new RomInfo()));
system.Add(new Node("copyright_logo"));
system.Add(NodeFactory.CreateContainer("banner"));
system.Add(new Node("arm9"));
system.Add(NodeFactory.CreateContainer("overlays9"));
system.Add(new Node("arm7"));
system.Add(NodeFactory.CreateContainer("overlays7"));
Root.Add(system);
Node data = NodeFactory.CreateContainer("data");
Root.Add(data);
}
/// <summary>
/// Gets the container with the system files of the program.
/// </summary>
public Node System => Root.Children["system"];
/// <summary>
/// Gets the container with the program data files.
/// </summary>
public Node Data => Root.Children["data"];
/// <summary>
/// Gets the information of the program.
/// </summary>
public RomInfo Information => System?.Children["info"]?.GetFormatAs<RomInfo>();
/// <summary>
/// Gets the banner of the program.
/// </summary>
public Banner Banner => System?.Children["banner"]?.Children["info"]?.GetFormatAs<Banner>();
}
}
| 48.886364 | 112 | 0.661088 | [
"MIT"
] | SceneGate/Ekona | src/Ekona/Containers/Rom/NitroRom.cs | 4,304 | C# |
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Rainbow.Model;
using Rainbow.Storage.Sc;
using Rainbow.Storage.Yaml;
using Sidekick.ContentMigrator.Services.Interface;
using Sitecore.Data.Items;
using Sitecore.Diagnostics;
namespace Sidekick.ContentMigrator.Services
{
public class YamlSerializationService : IYamlSerializationService
{
private readonly YamlSerializationFormatter _formatter = new YamlSerializationFormatter(null, null);
public IItemData DeserializeYaml(string yaml, string itemId)
{
if (yaml != null)
{
using (var ms = new MemoryStream())
{
IItemData itemData = null;
try
{
var bytes = Encoding.UTF8.GetBytes(yaml);
ms.Write(bytes, 0, bytes.Length);
ms.Seek(0, SeekOrigin.Begin);
itemData = _formatter.ReadSerializedItem(ms, itemId);
}
catch (Exception e)
{
Log.Error("Problem reading yaml from remote server", e, typeof(RemoteContentService));
}
if (itemData != null)
{
return itemData;
}
}
}
return null;
}
public string SerializeYaml(IItemData item)
{
using (var stream = new MemoryStream())
{
_formatter.WriteSerializedItem(item, stream);
stream.Seek(0, SeekOrigin.Begin);
using (var reader = new StreamReader(stream))
{
return reader.ReadToEnd();
}
}
}
public void WriteSerializedItem(IItemData item, Stream stream)
{
_formatter.WriteSerializedItem(item, stream);
}
}
}
| 23.41791 | 102 | 0.690886 | [
"MIT"
] | JeffDarchuk/SitecoreSidekick | ContentMigrator/Services/YamlSerializationService.cs | 1,571 | C# |
namespace _03.FindWords
{
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
using System.Threading;
public class Startup
{
public static void Main()
{
Console.WriteLine("Counting words...");
var stopwatch = new Stopwatch();
stopwatch.Start();
TrieNode root = new TrieNode(null, '?');
var args = "../../Text.txt";
DataReader newReader = new DataReader(args, ref root);
Thread newThread = new Thread(newReader.ThreadRun);
newThread.Start();
newThread.Join();
stopwatch.Stop();
Console.WriteLine("Input data processed in {0} seconds", stopwatch.Elapsed);
Console.WriteLine();
List<TrieNode> nodes = new List<TrieNode>();
foreach (var item in root.Nodes)
{
nodes.Add(item.Value);
}
int distinct_word_count = 0;
int total_word_count = 0;
root.GetTopCounts(ref nodes, ref distinct_word_count, ref total_word_count);
foreach (TrieNode node in nodes)
{
Console.WriteLine("{0} - {1} times", node.ToString(), node.m_word_count);
}
Console.WriteLine();
Console.WriteLine("{0} words counted", total_word_count);
Console.WriteLine("{0} distinct words found", distinct_word_count);
Console.WriteLine();
Console.WriteLine("done.");
}
}
}
| 29.962264 | 89 | 0.551008 | [
"MIT"
] | juvemar/DSA | Homeworks/06. Advanced Data Structures/03. FindWords/Startup.cs | 1,590 | C# |
using System.Diagnostics;
namespace Bb.Oracle.Models.Codes
{
[DebuggerDisplay("{Value}")]
public class OIntegerConstant : OConstant
{
public int Value { get; set; }
public override void Accept(Contracts.IOracleModelVisitor visitor)
{
visitor.VisitIntegerConstant(this);
}
}
} | 18.944444 | 74 | 0.633431 | [
"BSD-3-Clause"
] | Black-Beard-Sdk/Oracle.Parser | Src/Black.Beard.Oracle.Model/Models/Codes/OIntegerConstant.cs | 343 | C# |
using System;
using System.Linq;
using System.Numerics;
using System.Text;
namespace WeihanLi.Common.Helpers
{
public static class Base62Encoder
{
private const string Charset = "0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz";
public static string Encode(Guid guid)
{
var bytes = guid.ToByteArray().ToList();
if (BitConverter.IsLittleEndian)
bytes.Add(0);
else
bytes.Insert(0, 0);
return Encode(bytes.ToArray());
}
public static string Encode(string text)
{
var bytes = Encoding.ASCII.GetBytes(text);
if (BitConverter.IsLittleEndian)
Array.Reverse(bytes);
return Encode(bytes);
}
public static string Encode(long num)
{
var bytes = BitConverter.GetBytes(num).ToList();
if (BitConverter.IsLittleEndian)
bytes.Add(0);
else
bytes.Insert(0, 0);
return Encode(bytes.ToArray());
}
private static string Encode(byte[] bytes)
{
var result = string.Empty;
if (bytes != null)
{
var bi = new BigInteger(bytes);
do
{
result = Charset[(int)(bi % 62)] + result;
bi = bi / 62;
} while (bi > 0);
}
return result;
}
public static string DecodeString(string codeStr)
{
var bytes = Decode(codeStr);
if (BitConverter.IsLittleEndian)
{
Array.Reverse(bytes);
}
return Encoding.ASCII.GetString(bytes);
}
public static Guid DecodeGuid(string codeStr)
{
var bytes = Decode(codeStr).ToList();
if (bytes.Count > 16)
{
if (BitConverter.IsLittleEndian)
{
bytes.RemoveAt(bytes.Count - 1);
}
else
{
bytes.RemoveAt(0);
}
}
else if (bytes.Count < 16)
{
bytes.AddRange(Enumerable.Repeat((byte)0, 16 - bytes.Count));
}
return new Guid(bytes.ToArray());
}
public static long DecodeLong(string codeStr)
{
var bytes = Decode(codeStr).ToList();
if (bytes.Count > 8)
{
if (BitConverter.IsLittleEndian)
{
bytes.RemoveAt(bytes.Count - 1);
}
else
{
bytes.RemoveAt(0);
}
}
else if (bytes.Count < 8)
{
bytes.AddRange(Enumerable.Repeat((byte)0, 8 - bytes.Count));
}
return BitConverter.ToInt64(bytes.ToArray(), 0);
}
private static byte[] Decode(string codedStr)
{
var result = new BigInteger(0);
var len = codedStr.Length;
for (var i = 0; i < len; i++)
{
var ch = codedStr[i];
var num = Charset.IndexOf(ch);
result += num * BigInteger.Pow(62, len - i - 1);
}
return result.ToByteArray();
}
}
public static class Base36Encoder
{
private const string Charset = "0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ";
public static string Encode(Guid guid)
{
var bytes = guid.ToByteArray().ToList();
if (BitConverter.IsLittleEndian)
bytes.Add(0);
else
bytes.Insert(0, 0);
return Encode(bytes.ToArray());
}
public static string Encode(string text)
{
if (string.IsNullOrEmpty(text))
return string.Empty;
var bytes = Encoding.ASCII.GetBytes(text.ToUpper());
if (BitConverter.IsLittleEndian)
Array.Reverse(bytes);
return Encode(bytes);
}
public static string Encode(long num)
{
var bytes = BitConverter.GetBytes(num).ToList();
if (BitConverter.IsLittleEndian)
bytes.Add(0);
else
bytes.Insert(0, 0);
return Encode(bytes.ToArray());
}
private static string Encode(byte[] bytes)
{
var result = string.Empty;
if (bytes != null)
{
var bi = new BigInteger(bytes);
do
{
result = Charset[(int)(bi % 36)] + result;
bi = bi / 36;
} while (bi > 0);
}
return result;
}
public static string DecodeString(string codeStr)
{
if (string.IsNullOrEmpty(codeStr))
return string.Empty;
var bytes = Decode(codeStr);
if (BitConverter.IsLittleEndian)
{
Array.Reverse(bytes);
}
return Encoding.ASCII.GetString(bytes);
}
public static Guid DecodeGuid(string codeStr)
{
var bytes = Decode(codeStr).ToList();
if (bytes.Count > 16)
{
if (BitConverter.IsLittleEndian)
{
bytes.RemoveAt(bytes.Count - 1);
}
else
{
bytes.RemoveAt(0);
}
}
else if (bytes.Count < 16)
{
bytes.AddRange(Enumerable.Repeat((byte)0, 16 - bytes.Count));
}
return new Guid(bytes.ToArray());
}
public static long DecodeLong(string codeStr)
{
var bytes = Decode(codeStr).ToList();
if (bytes.Count > 8)
{
if (BitConverter.IsLittleEndian)
{
bytes.RemoveAt(bytes.Count - 1);
}
else
{
bytes.RemoveAt(0);
}
}
else if (bytes.Count < 8)
{
bytes.AddRange(Enumerable.Repeat((byte)0, 8 - bytes.Count));
}
return BitConverter.ToInt64(bytes.ToArray(), 0);
}
private static byte[] Decode(string codedStr)
{
if (string.IsNullOrEmpty(codedStr))
{
return ArrayHelper.Empty<byte>();
}
var result = new BigInteger(0);
var len = codedStr.Length;
for (var i = 0; i < len; i++)
{
var ch = codedStr[i];
var num = Charset.IndexOf(ch);
result += num * BigInteger.Pow(36, len - i - 1);
}
var bytes = result.ToByteArray();
return bytes;
}
}
}
| 26.224265 | 104 | 0.447778 | [
"MIT"
] | zhaoabing903/SparkTodo-master | WeihanLi.Common/Helpers/Encoder.cs | 7,135 | C# |
using Demonstrator.Models.DataModels.Flows;
using MongoDB.Bson;
using System.Collections.Generic;
namespace DemonstratorTest.Data.Helpers
{
public static class MongoBenefit
{
public static IList<Benefit> Benefits
{
get
{
var benefits = new List<Benefit>();
benefits.AddRange(EfficiencyBenefits);
benefits.AddRange(HealthBenefits);
benefits.AddRange(SafteyBenefits);
return benefits;
}
}
public static IList<Benefit> EfficiencyBenefits
{
get
{
return new List<Benefit>
{
new Benefit
{
Id = new ObjectId("5a8417f68317338c8e080a62"),
Text = "Benefit E1",
Categories = new List<string>{ "Efficiency" },
IsActive = true,
Order = 1,
Type = "Test"
},
new Benefit
{
Id = new ObjectId("5a8417f68317338c8e080a63"),
Text = "Benefit E2",
Categories = new List<string>{ "Efficiency" },
IsActive = false,
Order = 2,
Type = "Test"
}
};
}
}
public static IList<Benefit> SafteyBenefits
{
get
{
return new List<Benefit>
{
new Benefit
{
Id = new ObjectId("5a8417f68317338c8e080a64"),
Text = "Benefit S1",
Categories = new List<string>{ "Saftey" },
IsActive = true,
Order = 1,
Type = "Test"
},
new Benefit
{
Id = new ObjectId("5a8417f68317338c8e080a65"),
Text = "Benefit S2",
Categories = new List<string>{ "Saftey" },
IsActive = true,
Order = 2,
Type = "Test"
}
};
}
}
public static IList<Benefit> HealthBenefits
{
get
{
return new List<Benefit>
{
new Benefit
{
Id = new ObjectId("5a8417f68317338c8e080a66"),
Text = "Benefit H1",
Categories = new List<string>{ "Health" },
IsActive = false,
Order = 1,
Type = "Test"
}
};
}
}
}
}
| 30.434343 | 70 | 0.361102 | [
"Apache-2.0"
] | elementechemlyn/nrls-reference-implementation | Demonstrator/DemonstratorTest.Data/MongoBenefit.cs | 3,015 | C# |
/*---------------------------------------------------------------------------------------------
* Copyright (c) Dolittle. All rights reserved.
* Licensed under the MIT License. See LICENSE in the project root for license information.
*--------------------------------------------------------------------------------------------*/
using System;
using System.Collections.Generic;
using System.Reflection;
using Dolittle.Events;
using Newtonsoft.Json;
namespace Dolittle.Runtime.Events.Serialization.Json
{
/// <summary>
/// Represents a <see cref="JsonConverter"/> that can serialize and deserialize <see cref="EventSourceVersion"/>
/// </summary>
public class EventSourceVersionConverter : JsonConverter
{
/// <inheritdoc/>
public override bool CanConvert(Type objectType)
{
return typeof(EventSourceVersion).GetTypeInfo().IsAssignableFrom(objectType);
}
/// <inheritdoc/>
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
return EventSourceVersion.FromCombined((double)reader.Value);
}
/// <inheritdoc/>
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
writer.WriteValue(((EventSourceVersion)value).Combine());
}
}
}
| 37.702703 | 124 | 0.589247 | [
"MIT"
] | dolittle-einar/Runtime | Source/Events.Serialization.Json/EventSourceVersionConverter.cs | 1,397 | C# |
using System;
using System.Collections.Generic;
using System.Text;
namespace ShoppingSpree
{
public class Product
{
private string name;
private decimal cost;
public Product(string name, decimal cost)
{
Name = name;
Cost = cost;
}
public string Name
{
get => name;
private set
{
Validator.ThrowIfStringIsNullOrEmpty(value, "Name cannot be empty");
name = value;
}
}
public decimal Cost
{
get => cost;
private set
{
Validator.ThrowIfNumberIsNegative(value, "Money cannot be negative");
cost = value;
}
}
}
}
| 19.463415 | 85 | 0.47619 | [
"MIT"
] | DanielN97/SoftUni_Exercises | Encapsulation - Exercise/ShoppingSpree/Product.cs | 800 | C# |
using System;
using UnityEngine;
// Token: 0x0200050D RID: 1293
public class SithBeamScript : MonoBehaviour
{
// Token: 0x06002012 RID: 8210 RVA: 0x0014D818 File Offset: 0x0014BC18
private void Update()
{
if (this.Projectile)
{
base.transform.Translate(base.transform.forward * Time.deltaTime * 15f, Space.World);
}
this.Lifespan = Mathf.MoveTowards(this.Lifespan, 0f, Time.deltaTime);
if (this.Lifespan == 0f)
{
UnityEngine.Object.Destroy(base.gameObject);
}
}
// Token: 0x06002013 RID: 8211 RVA: 0x0014D894 File Offset: 0x0014BC94
private void OnTriggerEnter(Collider other)
{
if (other.gameObject.layer == 9)
{
StudentScript component = other.gameObject.GetComponent<StudentScript>();
if (component != null && component.StudentID > 1)
{
AudioSource.PlayClipAtPoint(this.Hit, base.transform.position);
this.RandomNumber = UnityEngine.Random.Range(0, 3);
if (this.MalePain.Length > 0)
{
if (component.Male)
{
AudioSource.PlayClipAtPoint(this.MalePain[this.RandomNumber], base.transform.position);
}
else
{
AudioSource.PlayClipAtPoint(this.FemalePain[this.RandomNumber], base.transform.position);
}
}
UnityEngine.Object.Instantiate<GameObject>(this.BloodEffect, component.transform.position + new Vector3(0f, 1f, 0f), Quaternion.identity);
component.Health -= this.Damage;
component.HealthBar.transform.parent.gameObject.SetActive(true);
component.HealthBar.transform.localScale = new Vector3(component.Health / 100f, 1f, 1f);
component.Character.transform.localScale = new Vector3(component.Character.transform.localScale.x * -1f, component.Character.transform.localScale.y, component.Character.transform.localScale.z);
if (component.Health <= 0f)
{
component.DeathType = DeathType.EasterEgg;
component.HealthBar.transform.parent.gameObject.SetActive(false);
component.BecomeRagdoll();
Rigidbody rigidbody = component.Ragdoll.AllRigidbodies[0];
rigidbody.isKinematic = false;
}
else
{
component.CharacterAnimation[component.SithReactAnim].time = 0f;
component.CharacterAnimation.Play(component.SithReactAnim);
component.Pathfinding.canSearch = false;
component.Pathfinding.canMove = false;
component.HitReacting = true;
component.Routine = false;
component.Fleeing = false;
}
if (this.Projectile)
{
UnityEngine.Object.Destroy(base.gameObject);
}
}
}
}
// Token: 0x04002CA5 RID: 11429
public GameObject BloodEffect;
// Token: 0x04002CA6 RID: 11430
public Collider MyCollider;
// Token: 0x04002CA7 RID: 11431
public float Damage = 10f;
// Token: 0x04002CA8 RID: 11432
public float Lifespan;
// Token: 0x04002CA9 RID: 11433
public int RandomNumber;
// Token: 0x04002CAA RID: 11434
public AudioClip Hit;
// Token: 0x04002CAB RID: 11435
public AudioClip[] FemalePain;
// Token: 0x04002CAC RID: 11436
public AudioClip[] MalePain;
// Token: 0x04002CAD RID: 11437
public bool Projectile;
}
| 30.42 | 197 | 0.718935 | [
"Unlicense"
] | larryeedwards/openyan | Assembly-CSharp/SithBeamScript.cs | 3,044 | C# |
#region license
// Copyright (c) 2005 - 2007 Ayende Rahien ([email protected])
// 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 Ayende Rahien 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;
namespace Rhino.Commons.Binsor.Macros
{
using Extensions;
[CLSCompliant(false)]
public class ParametersMacro : BaseConfigurationMacro<ParametersExtension>
{
public ParametersMacro()
: base("parameters", "component", "configuration", "extend")
{
}
}
}
| 43.644444 | 84 | 0.738289 | [
"Unlicense"
] | Dreameris/.NET-Common-Library | developers-stuff/common-lib/rhino-tools/commons/Rhino.Commons.Binsor/Macros/ParametersMacro.cs | 1,964 | C# |
using System.Web.Mvc;
using CH.Tutteli.FarmFinder.Dtos;
namespace CH.Tutteli.FarmFinder.Website.Controllers
{
public class MainController : Controller
{
public ActionResult Index()
{
return View();
}
public ActionResult TryIt()
{
return View(new QueryDto { Radius = 30, Latitude = 48.306940, Longitude = 14.285830 });
}
}
} | 22.777778 | 99 | 0.595122 | [
"Apache-2.0"
] | robstoll/farmfinder | FarmFinder/FarmFinder.WebSite/Controllers/MainController.cs | 412 | C# |
namespace InnovationSoft.Olh
{
public class AppConsts
{
/// <summary>
/// Default pass phrase for SimpleStringCipher decrypt/encrypt operations
/// </summary>
public const string DefaultPassPhrase = "gsKxGZ012HLL3MI5";
}
}
| 24.363636 | 81 | 0.641791 | [
"MIT"
] | CristhianUNSa/netcore-angular-boilerplate | src/InnovationSoft.Olh.Application/AppConsts.cs | 270 | 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 Xunit;
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass001.genclass001;
using System;
public class MyClass
{
public int Field = 0;
}
public class MyClass<T>
{
public int Field = 0;
// public static MyEnum?[] operator -(MyClass p1, dynamic[] p2) { return new MyEnum?[] { MyEnum.First, null }; }
public static T operator ^(MyClass<T> p1, float p2)
{
return default(T);
}
public static T operator ^(MyClass<T> p1, T p2)
{
return p2;
}
public static MyClass<T>[] operator /(MyClass<T> p1, float? p2)
{
return new MyClass<T>[]
{
null, new MyClass<T>()
{
Field = 4
}
}
;
}
public static MyStruct?[] operator <=(MyClass<T> p1, int p2)
{
return new MyStruct?[]
{
null, new MyStruct()
{
Number = int.MinValue
}
}
;
}
public static MyStruct?[] operator >=(MyClass<T> p1, int p2)
{
return new MyStruct?[]
{
null, new MyStruct()
{
Number = int.MaxValue
}
}
;
}
public static decimal[] operator -(dynamic p1, MyClass<T> p2)
{
return new decimal[]
{
decimal.MaxValue
}
;
}
public static string operator *(dynamic[] p1, MyClass<T> p2)
{
return string.Empty;
}
public static dynamic[] operator &(MyClass<T> p1, string p2)
{
return new dynamic[]
{
p1
}
;
}
public static dynamic[] operator -(MyClass<T> p1)
{
return new dynamic[]
{
p1
}
;
}
public static MyClass<T> operator --(MyClass<T> p1)
{
return new MyClass<T>()
{
Field = 4
}
;
}
// CS1964 -> negative
// public static implicit operator MyClass<T>(dynamic p1) { return new MyClass<T>() { Field = 4 }; }
// public static implicit operator dynamic(MyClass<T> p1) { return p1; }
public static implicit operator MyStruct[] (MyClass<T> p1)
{
return new MyStruct[]
{
new MyStruct()
{
Number = 4
}
}
;
}
public static explicit operator MyClass<T>(MyStruct?[] p1)
{
return new MyClass<T>()
{
Field = 3
}
;
}
}
public class MemberClassMultipleParams<T, U, V>
{
public int Field;
public static MemberClassMultipleParams<T, U, V> operator >>(MemberClassMultipleParams<T, U, V> p1, int p2)
{
return new MemberClassMultipleParams<T, U, V>();
}
public static dynamic[] operator &(MemberClassMultipleParams<T, U, V> p1, string p2)
{
return new dynamic[]
{
p1
}
;
}
public static bool operator true(MemberClassMultipleParams<T, U, V> p1)
{
return false;
}
public static bool operator false(MemberClassMultipleParams<T, U, V> p1)
{
return true;
}
public static explicit operator MemberClassMultipleParams<T, U, V>(U p1)
{
return new MemberClassMultipleParams<T, U, V>()
{
Field = 4
}
;
}
public static implicit operator MemberClassMultipleParams<T, U, V>(double[] p1)
{
return new MemberClassMultipleParams<T, U, V>()
{
Field = 4
}
;
}
}
public class MemberClassWithClassConstraint<T>
where T : class
{
public int Field;
public static decimal[] operator |(bool? p1, MemberClassWithClassConstraint<T> p2)
{
return new decimal[]
{
decimal.MaxValue
}
;
}
public static MyEnum? operator <(byte?[] p1, MemberClassWithClassConstraint<T> p2)
{
return MyEnum.First;
}
public static MyEnum? operator >(byte?[] p1, MemberClassWithClassConstraint<T> p2)
{
return MyEnum.Third;
}
}
public class MemberClassWithNewConstraint<T>
where T : new()
{
public static int Status;
public static bool? operator !(MemberClassWithNewConstraint<T> p1)
{
return true;
}
public static string operator ~(MemberClassWithNewConstraint<T> p1)
{
return string.Empty;
}
public static MemberClassWithNewConstraint<T> operator ++(MemberClassWithNewConstraint<T> p1)
{
return new MemberClassWithNewConstraint<T>();
}
}
public class MemberClassWithAnotherTypeConstraint<T, U>
where T : U
{
public static implicit operator MyStruct[] (MemberClassWithAnotherTypeConstraint<T, U> p1)
{
return new MyStruct[]
{
new MyStruct()
{
Number = 4
}
}
;
}
public static implicit operator int? (MemberClassWithAnotherTypeConstraint<T, U> p1)
{
return int.MinValue;
}
public static explicit operator object[] (MemberClassWithAnotherTypeConstraint<T, U> p1)
{
return new object[]
{
p1
}
;
}
public static explicit operator MyEnum[] (MemberClassWithAnotherTypeConstraint<T, U> p1)
{
return new MyEnum[]
{
MyEnum.First
}
;
}
}
public struct MyStruct
{
public int Number;
}
public enum MyEnum
{
First = 1,
Second = 2,
Third = 3
}
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass001.genclass001
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass001.genclass001;
// <Title> Tests generic class operator used in static method.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<int> mc = new MyClass<int>();
dynamic dy = mc;
int result = dy ^ 1.2f;
if (result == 0)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass002.genclass002
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass002.genclass002;
// <Title> Tests generic class operator used in regular method body.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
return new Test().TestMethod();
}
private int TestMethod()
{
MyClass<string> mc = new MyClass<string>();
dynamic dy = mc;
string result = dy ^ string.Empty;
if (result == string.Empty)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass003.genclass003
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass003.genclass003;
// <Title> Tests generic class operator used in variable initializer.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<Test> mc = new MyClass<Test>();
dynamic dy = mc;
float? p2 = 1.33f;
// MyClass<Test>[]
dynamic[] result = dy / p2;
if (result.Length == 2 && result[0] == null && result[1].GetType() == typeof(MyClass<Test>) && result[1].Field == 4)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass005.genclass005
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass005.genclass005;
// <Title> Tests generic class operator used in lock expression.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<string> mc = new MyClass<string>();
dynamic dy = mc;
MyStruct?[] result;
lock (dy <= 20)
{
result = dy <= 20;
}
if (result.Length == 2 && result[0] == null && result[1].Value.Number == int.MinValue)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass006.genclass006
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass006.genclass006;
// <Title> Tests generic class operator used in the for loop initializer.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<int> mc = new MyClass<int>();
dynamic dy = mc;
MyStruct[][] result = new MyStruct[10][];
for (int i = (dy ^ 1.30f); i < 10; i++)
{
result[i] = dy;
}
for (int i = 0; i < 10; i++)
{
MyStruct[] m = result[i];
if (m.Length != 1 && m[0].Number != 4)
return 1;
}
return 0;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass007.genclass007
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass007.genclass007;
// <Title> Tests generic class operator used in the for-condition.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<int> mc = new MyClass<int>();
dynamic dy = mc;
MyClass<int>[] result = new MyClass<int>[10];
for (int i = 9; i >= (dy ^ 1.30f); i--)
{
result[i] = --dy;
}
for (int i = 0; i < 10; i++)
{
if (result[i].Field != 4)
{
return 1;
}
}
return 0;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass008.genclass008
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass008.genclass008;
// <Title> Tests generic class operator used in the for-iterator.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<int> mc = new MyClass<int>()
{
Field = 10
}
;
dynamic dy = mc;
dynamic[] result = null;
int index = 0;
for (; dy.Field != 4; dy--)
{
result = -dy;
index++;
}
if (index == 1 && result.Length == 1 && result[0].Field == 10)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass009.genclass009
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass009.genclass009;
// <Title> Tests generic class operator used in the foreach expression.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<int> mc = new MyClass<int>()
{
Field = 10
}
;
dynamic dy = mc;
int index = 0;
foreach (var m in dy & "Test")
{
index++;
if (m.Field != 10)
return 1;
}
if (index != 1)
return 1;
return 0;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass010.genclass010
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass010.genclass010;
// <Title> Tests generic class operator used in generic method body.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
Test t = new Test();
return t.TestMethod<int, string, Test>();
}
private int TestMethod<T, U, V>()
{
MemberClassMultipleParams<T, U, V> mc = new MemberClassMultipleParams<T, U, V>()
{
Field = -1
}
;
dynamic dy = mc;
return (dy >> -1).Field == 0 ? 0 : 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass011.genclass011
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass011.genclass011;
// <Title> Tests generic class operator used in extension method body.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
return 10.ExReturnTest();
}
}
static public class Extension
{
public static int ExReturnTest(this int p)
{
var mc = new MyClass<string>();
dynamic dy = mc;
MyStruct?[] result = dy >= int.MaxValue;
if (result.Length == 2 && result[0] == null && result[1].Value.Number == int.MaxValue)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass012.genclass012
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass012.genclass012;
// <Title> Tests generic class operator used in arguments to method invocation.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<string> mc = new MyClass<string>();
dynamic dy = mc;
Test t = new Test();
return t.TestMethod(dy - dy);
}
public int TestMethod(decimal[] da)
{
foreach (var d in da)
{
;
}
if (da.Length == 1 && da[0] == decimal.MaxValue)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass013.genclass013
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass013.genclass013;
// <Title> Tests generic class operator used in implicitly-typed variable initializer.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MemberClassMultipleParams<string, Test, int> mc = new MemberClassMultipleParams<string, Test, int>()
{
Field = 10
}
;
dynamic dy = mc;
string s = null;
var result = dy & s;
if (result.Length == 1 && result[0].GetType() == typeof(MemberClassMultipleParams<string, Test, int>) && result[0].Field == 10)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass014.genclass014
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass014.genclass014;
// <Title> Tests generic class operator used in static method.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MemberClassMultipleParams<int, int, int> mc = new MemberClassMultipleParams<int, int, int>()
{
Field = 10
}
;
dynamic dy = mc;
bool isHit = false;
if (dy)
{
isHit = true;
}
if (!isHit)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass015.genclass015
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass015.genclass015;
// <Title> Tests generic class operator used in member initializer of object initializer.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
private dynamic _field;
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
Test t = new Test()
{
_field = (MemberClassMultipleParams<int, int, int>)1
}
;
if (t._field.GetType() == typeof(MemberClassMultipleParams<int, int, int>) && t._field.Field == 4)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass016.genclass016
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass016.genclass016;
// <Title> Tests generic class operator used in member initializer of anonymous type.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
using System.Linq;
using System.Collections.Generic;
public class Test
{
private static dynamic s_dy;
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MemberClassWithClassConstraint<MyClass> mc = new MemberClassWithClassConstraint<MyClass>();
s_dy = mc;
bool? b = false;
byte?[] p = null;
var result = new
{
A = b | s_dy,
B = p < s_dy
}
;
if (result.A.Length == 1 && result.A[0] == decimal.MaxValue && result.B == MyEnum.First)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass017.genclass017
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass017.genclass017;
// <Title> Tests generic class operator used in static variable.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
private static dynamic s_dy = new MyClass<Test>()
{
Field = 10
}
; //implicit operator.
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
if (Test.s_dy.Field == 10)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass018.genclass018
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass018.genclass018;
// <Title> Tests generic class operator used in property-get body.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
Test t = new Test();
if (t.MyProp.Field == 3)
return 0;
return 1;
}
public dynamic MyProp
{
get
{
MyStruct?[] p1 = null;
dynamic result = (MyClass<Test>)p1;
return result;
}
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass019.genclass019
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass019.genclass019;
// <Title> Tests generic class operator used in property-set body.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
private static dynamic s_result;
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
Test.MyProp = null;
Type[] t = s_result.GetType().GenericTypeArguments;
if (t.Length != 3 || t[0] != typeof(int) || t[1] != typeof(string) || t[1] != typeof(string))
return 1;
if (s_result.Field == 4)
return 0;
return 1;
}
public static dynamic MyProp
{
set
{
double[] d = new double[]
{
double.Epsilon, double.MaxValue
}
;
s_result = (MemberClassMultipleParams<int, string, string>)d;
}
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass020.genclass020
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass020.genclass020;
// <Title> Tests generic class operator used in indexer body.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
private static MemberClassWithClassConstraint<MyClass<MyClass>> s_mc = new MemberClassWithClassConstraint<MyClass<MyClass>>();
private MyEnum? _field;
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
Test t = new Test();
t[10] = null;
if (t._field != MyEnum.First)
return 1;
MyEnum? f = t[int.MinValue];
if (f != MyEnum.Third)
return 1;
return 0;
}
public MyEnum? this[int i]
{
set
{
dynamic dy = s_mc;
byte?[] p1 = new byte?[0];
_field = p1 < dy;
}
get
{
dynamic dy = s_mc;
byte?[] p1 = new byte?[]
{
Byte.MaxValue, byte.MinValue
}
;
return p1 > dy;
}
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass021.genclass021
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass021.genclass021;
// <Title> Tests generic class operator used in iterator.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
using System.Collections;
using System.Collections.Generic;
public class Test
{
private static int s_a = 0;
private static MemberClassWithNewConstraint<MyClass> s_mc = new MemberClassWithNewConstraint<MyClass>();
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
int index = 0;
foreach (bool s in Test.Increment())
{
if (!s)
return 1;
index++;
}
if (index == 3)
return 0;
return 1;
}
public static IEnumerable Increment()
{
dynamic dy = s_mc;
while (s_a < 3)
{
s_a++;
yield return !dy;
}
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass022.genclass022
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass022.genclass022;
// <Title> Tests generic class operator used in collection initializer list.</Title>
// <Description> TODO: not implement IEnumerable so can't do object init-er </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
using System.Collections;
using System.Collections.Generic;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
dynamic dy1 = new MemberClassWithNewConstraint<MemberClassWithNewConstraint<MyClass>>();
MemberClassWithNewConstraint<MemberClassWithNewConstraint<MyClass>>.Status = 3;
dynamic dy2 = new MemberClassWithNewConstraint<MemberClassWithNewConstraint<MyClass>>();
MemberClassWithNewConstraint<MemberClassWithNewConstraint<MyClass>>.Status = 4;
var list = new List<MemberClassWithNewConstraint<MemberClassWithNewConstraint<MyClass>>>()
{
dy1++, ++dy2, default (MemberClassWithNewConstraint<MemberClassWithNewConstraint<MyClass>>)}
;
if (list.Count == 3) // TODO: (Status is static) -> && list[0].Status == 3 && list[1].Status == 0 && list[2] == null)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass024.genclass024
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass024.genclass024;
// <Title> Tests generic class operator used in this-argument of extension method.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MemberClassWithNewConstraint<MyClass> mc = new MemberClassWithNewConstraint<MyClass>();
dynamic dy = mc;
return ((string)(~dy)).Method();
}
}
static public class Extension
{
public static int Method(this string s)
{
if (s == string.Empty)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass026.genclass026
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass026.genclass026;
// <Title> Tests generic class operator used in variable named dynamic.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
public class InnerTest : Test
{
}
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MemberClassWithAnotherTypeConstraint<InnerTest, Test> mc = new MemberClassWithAnotherTypeConstraint<InnerTest, Test>();
dynamic dy = mc;
dynamic dynamic = (MyStruct[])dy;
if (dynamic.Length == 1 && dynamic[0].Number == 4)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass027.genclass027
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass027.genclass027;
// <Title> Tests generic class operator used in query expression.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
using System.Linq;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MemberClassWithNewConstraint<Test> mc = new MemberClassWithNewConstraint<Test>();
dynamic dy = mc;
string[] array = new string[]
{
null, string.Empty, string.Empty, null, "Test", "a"
}
;
var result = array.Where(p => p == ~dy).ToArray();
if (result.Length == 2 && result[0] == string.Empty && result[1] == string.Empty)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass028.genclass028
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass028.genclass028;
// <Title> Tests generic class operator used in null coalescing expression.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MyClass<string> mc = new MyClass<string>();
dynamic dy = mc;
string p = null;
string result = (dy ^ p) ?? "Test";
if (result == "Test")
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass030.genclass030
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass030.genclass030;
// <Title> Tests generic class operator used in ctor.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
private int? _field;
public Test()
{
dynamic dy = new MemberClassWithAnotherTypeConstraint<string, string>();
_field = dy;
}
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
Test t = new Test();
if (t._field == int.MinValue)
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass031.genclass031
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass031.genclass031;
// <Title> Tests generic class operator used in checked.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
//<Expects Status=warning>\(24,9\).*CS0162</Expects>
using System;
public class Test
{
[ConditionalFact(nameof(PlatformDetection) + "." + nameof(PlatformDetection.IsNotWindowsSubsystemForLinux))] // https://github.com/Microsoft/BashOnWindows/issues/513
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
try
{
dynamic dy = new MemberClassWithAnotherTypeConstraint<string, string>();
int result2 = checked(((int?)dy).Value - 1);
return 1;
}
catch (OverflowException)
{
return 0;
}
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass032.genclass032
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclassoperate.genclassoperate;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genclass032.genclass032;
// <Title> Tests generic class operator used in + operator.</Title>
// <Description>
// </Description>
// <RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
MemberClassWithNewConstraint<MyClass> mc = new MemberClassWithNewConstraint<MyClass>();
dynamic dy = mc;
string result = ~dy + "Test";
if (result == "Test")
return 0;
return 1;
}
}
//</Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.errorverifier.errorverifier
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.errorverifier.errorverifier;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion002.genericuserconversion002;
using System;
using System.Collections;
using System.IO;
using System.Globalization;
using System.Reflection;
using System.Resources;
using Microsoft.CSharp.RuntimeBinder;
public enum ErrorElementId
{
None,
SK_METHOD, // method
SK_CLASS, // type
SK_NAMESPACE, // namespace
SK_FIELD, // field
SK_PROPERTY, // property
SK_UNKNOWN, // element
SK_VARIABLE, // variable
SK_EVENT, // event
SK_TYVAR, // type parameter
SK_ALIAS, // using alias
ERRORSYM, // <error>
NULL, // <null>
GlobalNamespace, // <global namespace>
MethodGroup, // method group
AnonMethod, // anonymous method
Lambda, // lambda expression
AnonymousType, // anonymous type
}
public enum ErrorMessageId
{
None,
BadBinaryOps, // Operator '{0}' cannot be applied to operands of type '{1}' and '{2}'
IntDivByZero, // Division by constant zero
BadIndexLHS, // Cannot apply indexing with [] to an expression of type '{0}'
BadIndexCount, // Wrong number of indices inside []; expected '{0}'
BadUnaryOp, // Operator '{0}' cannot be applied to operand of type '{1}'
NoImplicitConv, // Cannot implicitly convert type '{0}' to '{1}'
NoExplicitConv, // Cannot convert type '{0}' to '{1}'
ConstOutOfRange, // Constant value '{0}' cannot be converted to a '{1}'
AmbigBinaryOps, // Operator '{0}' is ambiguous on operands of type '{1}' and '{2}'
AmbigUnaryOp, // Operator '{0}' is ambiguous on an operand of type '{1}'
ValueCantBeNull, // Cannot convert null to '{0}' because it is a non-nullable value type
WrongNestedThis, // Cannot access a non-static member of outer type '{0}' via nested type '{1}'
NoSuchMember, // '{0}' does not contain a definition for '{1}'
ObjectRequired, // An object reference is required for the non-static field, method, or property '{0}'
AmbigCall, // The call is ambiguous between the following methods or properties: '{0}' and '{1}'
BadAccess, // '{0}' is inaccessible due to its protection level
MethDelegateMismatch, // No overload for '{0}' matches delegate '{1}'
AssgLvalueExpected, // The left-hand side of an assignment must be a variable, property or indexer
NoConstructors, // The type '{0}' has no constructors defined
BadDelegateConstructor, // The delegate '{0}' does not have a valid constructor
PropertyLacksGet, // The property or indexer '{0}' cannot be used in this context because it lacks the get accessor
ObjectProhibited, // Member '{0}' cannot be accessed with an instance reference; qualify it with a type name instead
AssgReadonly, // A readonly field cannot be assigned to (except in a constructor or a variable initializer)
RefReadonly, // A readonly field cannot be passed ref or out (except in a constructor)
AssgReadonlyStatic, // A static readonly field cannot be assigned to (except in a static constructor or a variable initializer)
RefReadonlyStatic, // A static readonly field cannot be passed ref or out (except in a static constructor)
AssgReadonlyProp, // Property or indexer '{0}' cannot be assigned to -- it is read only
AbstractBaseCall, // Cannot call an abstract base member: '{0}'
RefProperty, // A property or indexer may not be passed as an out or ref parameter
ManagedAddr, // Cannot take the address of, get the size of, or declare a pointer to a managed type ('{0}')
FixedNotNeeded, // You cannot use the fixed statement to take the address of an already fixed expression
UnsafeNeeded, // Dynamic calls cannot be used in conjunction with pointers
BadBoolOp, // In order to be applicable as a short circuit operator a user-defined logical operator ('{0}') must have the same return type as the type of its 2 parameters
MustHaveOpTF, // The type ('{0}') must contain declarations of operator true and operator false
CheckedOverflow, // The operation overflows at compile time in checked mode
ConstOutOfRangeChecked, // Constant value '{0}' cannot be converted to a '{1}' (use 'unchecked' syntax to override)
AmbigMember, // Ambiguity between '{0}' and '{1}'
SizeofUnsafe, // '{0}' does not have a predefined size, therefore sizeof can only be used in an unsafe context (consider using System.Runtime.InteropServices.Marshal.SizeOf)
FieldInitRefNonstatic, // A field initializer cannot reference the non-static field, method, or property '{0}'
CallingFinalizeDepracated, // Destructors and object.Finalize cannot be called directly. Consider calling IDisposable.Dispose if available.
CallingBaseFinalizeDeprecated, // Do not directly call your base class Finalize method. It is called automatically from your destructor.
BadCastInFixed, // The right hand side of a fixed statement assignment may not be a cast expression
NoImplicitConvCast, // Cannot implicitly convert type '{0}' to '{1}'. An explicit conversion exists (are you missing a cast?)
InaccessibleGetter, // The property or indexer '{0}' cannot be used in this context because the get accessor is inaccessible
InaccessibleSetter, // The property or indexer '{0}' cannot be used in this context because the set accessor is inaccessible
BadArity, // Using the generic {1} '{0}' requires '{2}' type arguments
BadTypeArgument, // The type '{0}' may not be used as a type argument
TypeArgsNotAllowed, // The {1} '{0}' cannot be used with type arguments
HasNoTypeVars, // The non-generic {1} '{0}' cannot be used with type arguments
NewConstraintNotSatisfied, // '{2}' must be a non-abstract type with a public parameterless constructor in order to use it as parameter '{1}' in the generic type or method '{0}'
GenericConstraintNotSatisfiedRefType, // The type '{3}' cannot be used as type parameter '{2}' in the generic type or method '{0}'. There is no implicit reference conversion from '{3}' to '{1}'.
GenericConstraintNotSatisfiedNullableEnum, // The type '{3}' cannot be used as type parameter '{2}' in the generic type or method '{0}'. The nullable type '{3}' does not satisfy the constraint of '{1}'.
GenericConstraintNotSatisfiedNullableInterface, // The type '{3}' cannot be used as type parameter '{2}' in the generic type or method '{0}'. The nullable type '{3}' does not satisfy the constraint of '{1}'. Nullable types can not satisfy any interface constraints.
GenericConstraintNotSatisfiedTyVar, // The type '{3}' cannot be used as type parameter '{2}' in the generic type or method '{0}'. There is no boxing conversion or type parameter conversion from '{3}' to '{1}'.
GenericConstraintNotSatisfiedValType, // The type '{3}' cannot be used as type parameter '{2}' in the generic type or method '{0}'. There is no boxing conversion from '{3}' to '{1}'.
TypeVarCantBeNull, // Cannot convert null to type parameter '{0}' because it could be a non-nullable value type. Consider using 'default({0})' instead.
BadRetType, // '{1} {0}' has the wrong return type
CantInferMethTypeArgs, // The type arguments for method '{0}' cannot be inferred from the usage. Try specifying the type arguments explicitly.
MethGrpToNonDel, // Cannot convert method group '{0}' to non-delegate type '{1}'. Did you intend to invoke the method?
RefConstraintNotSatisfied, // The type '{2}' must be a reference type in order to use it as parameter '{1}' in the generic type or method '{0}'
ValConstraintNotSatisfied, // The type '{2}' must be a non-nullable value type in order to use it as parameter '{1}' in the generic type or method '{0}'
CircularConstraint, // Circular constraint dependency involving '{0}' and '{1}'
BaseConstraintConflict, // Type parameter '{0}' inherits conflicting constraints '{1}' and '{2}'
ConWithValCon, // Type parameter '{1}' has the 'struct' constraint so '{1}' cannot be used as a constraint for '{0}'
AmbigUDConv, // Ambiguous user defined conversions '{0}' and '{1}' when converting from '{2}' to '{3}'
PredefinedTypeNotFound, // Predefined type '{0}' is not defined or imported
PredefinedTypeBadType, // Predefined type '{0}' is declared incorrectly
BindToBogus, // '{0}' is not supported by the language
CantCallSpecialMethod, // '{0}': cannot explicitly call operator or accessor
BogusType, // '{0}' is a type not supported by the language
MissingPredefinedMember, // Missing compiler required member '{0}.{1}'
LiteralDoubleCast, // Literal of type double cannot be implicitly converted to type '{1}'; use an '{0}' suffix to create a literal of this type
UnifyingInterfaceInstantiations, // '{0}' cannot implement both '{1}' and '{2}' because they may unify for some type parameter substitutions
ConvertToStaticClass, // Cannot convert to static type '{0}'
GenericArgIsStaticClass, // '{0}': static types cannot be used as type arguments
PartialMethodToDelegate, // Cannot create delegate from method '{0}' because it is a partial method without an implementing declaration
IncrementLvalueExpected, // The operand of an increment or decrement operator must be a variable, property or indexer
NoSuchMemberOrExtension, // '{0}' does not contain a definition for '{1}' and no extension method '{1}' accepting a first argument of type '{0}' could be found (are you missing a using directive or an assembly reference?)
ValueTypeExtDelegate, // Extension methods '{0}' defined on value type '{1}' cannot be used to create delegates
BadArgCount, // No overload for method '{0}' takes '{1}' arguments
BadArgTypes, // The best overloaded method match for '{0}' has some invalid arguments
BadArgType, // Argument '{0}': cannot convert from '{1}' to '{2}'
RefLvalueExpected, // A ref or out argument must be an assignable variable
BadProtectedAccess, // Cannot access protected member '{0}' via a qualifier of type '{1}'; the qualifier must be of type '{2}' (or derived from it)
BindToBogusProp2, // Property, indexer, or event '{0}' is not supported by the language; try directly calling accessor methods '{1}' or '{2}'
BindToBogusProp1, // Property, indexer, or event '{0}' is not supported by the language; try directly calling accessor method '{1}'
BadDelArgCount, // Delegate '{0}' does not take '{1}' arguments
BadDelArgTypes, // Delegate '{0}' has some invalid arguments
AssgReadonlyLocal, // Cannot assign to '{0}' because it is read-only
RefReadonlyLocal, // Cannot pass '{0}' as a ref or out argument because it is read-only
ReturnNotLValue, // Cannot modify the return value of '{0}' because it is not a variable
BadArgExtraRef, // Argument '{0}' should not be passed with the '{1}' keyword
// DelegateOnConditional, // Cannot create delegate with '{0}' because it has a Conditional attribute (REMOVED)
BadArgRef, // Argument '{0}' must be passed with the '{1}' keyword
AssgReadonly2, // Members of readonly field '{0}' cannot be modified (except in a constructor or a variable initializer)
RefReadonly2, // Members of readonly field '{0}' cannot be passed ref or out (except in a constructor)
AssgReadonlyStatic2, // Fields of static readonly field '{0}' cannot be assigned to (except in a static constructor or a variable initializer)
RefReadonlyStatic2, // Fields of static readonly field '{0}' cannot be passed ref or out (except in a static constructor)
AssgReadonlyLocalCause, // Cannot assign to '{0}' because it is a '{1}'
RefReadonlyLocalCause, // Cannot pass '{0}' as a ref or out argument because it is a '{1}'
ThisStructNotInAnonMeth, // Anonymous methods, lambda expressions, and query expressions inside structs cannot access instance members of 'this'. Consider copying 'this' to a local variable outside the anonymous method, lambda expression or query expression and using the local instead.
DelegateOnNullable, // Cannot bind delegate to '{0}' because it is a member of 'System.Nullable<T>'
BadCtorArgCount, // '{0}' does not contain a constructor that takes '{1}' arguments
BadExtensionArgTypes, // '{0}' does not contain a definition for '{1}' and the best extension method overload '{2}' has some invalid arguments
BadInstanceArgType, // Instance argument: cannot convert from '{0}' to '{1}'
BadArgTypesForCollectionAdd, // The best overloaded Add method '{0}' for the collection initializer has some invalid arguments
InitializerAddHasParamModifiers, // The best overloaded method match '{0}' for the collection initializer element cannot be used. Collection initializer 'Add' methods cannot have ref or out parameters.
NonInvocableMemberCalled, // Non-invocable member '{0}' cannot be used like a method.
NamedArgumentSpecificationBeforeFixedArgument, // Named argument specifications must appear after all fixed arguments have been specified
BadNamedArgument, // The best overload for '{0}' does not have a parameter named '{1}'
BadNamedArgumentForDelegateInvoke, // The delegate '{0}' does not have a parameter named '{1}'
DuplicateNamedArgument, // Named argument '{0}' cannot be specified multiple times
NamedArgumentUsedInPositional, // Named argument '{0}' specifies a parameter for which a positional argument has already been given
}
public enum RuntimeErrorId
{
None,
// RuntimeBinderInternalCompilerException
InternalCompilerError, // An unexpected exception occurred while binding a dynamic operation
// ArgumentException
BindRequireArguments, // Cannot bind call with no calling object
// RuntimeBinderException
BindCallFailedOverloadResolution, // Overload resolution failed
// ArgumentException
BindBinaryOperatorRequireTwoArguments, // Binary operators must be invoked with two arguments
// ArgumentException
BindUnaryOperatorRequireOneArgument, // Unary operators must be invoked with one argument
// RuntimeBinderException
BindPropertyFailedMethodGroup, // The name '{0}' is bound to a method and cannot be used like a property
// RuntimeBinderException
BindPropertyFailedEvent, // The event '{0}' can only appear on the left hand side of += or -=
// RuntimeBinderException
BindInvokeFailedNonDelegate, // Cannot invoke a non-delegate type
// ArgumentException
BindImplicitConversionRequireOneArgument, // Implicit conversion takes exactly one argument
// ArgumentException
BindExplicitConversionRequireOneArgument, // Explicit conversion takes exactly one argument
// ArgumentException
BindBinaryAssignmentRequireTwoArguments, // Binary operators cannot be invoked with one argument
// RuntimeBinderException
BindBinaryAssignmentFailedNullReference, // Cannot perform member assignment on a null reference
// RuntimeBinderException
NullReferenceOnMemberException, // Cannot perform runtime binding on a null reference
// RuntimeBinderException
BindCallToConditionalMethod, // Cannot dynamically invoke method '{0}' because it has a Conditional attribute
// RuntimeBinderException
BindToVoidMethodButExpectResult, // Cannot implicitly convert type 'void' to 'object'
// EE?
EmptyDynamicView, // No further information on this object could be discovered
// MissingMemberException
GetValueonWriteOnlyProperty, // Write Only properties are not supported
}
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion002.genericuserconversion002
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.errorverifier.errorverifier;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion002.genericuserconversion002;
// <Area> User-defined conversions </Area>
// <Title> User defined conversions </Title>
// <Description>
// Ambiguous user defined conversion (dynamic case)
// </Description>
//<RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class A
{
}
public class B : A
{
}
public class C
{
public static implicit operator B(C s)
{
System.Console.WriteLine(1);
return new B();
}
}
public class D : C
{
public static implicit operator A(D s)
{
System.Console.WriteLine(2);
return new B();
}
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
var retval = 1; // failure
dynamic e2 = new D();
try
{
B b2 = (B)e2; // CS0457: Ambiguous user defined conversions 'D.implicit operator A(D)' and 'C.implicit operator B(C)'
// when converting from 'D' to 'B'
}
catch (Microsoft.CSharp.RuntimeBinder.RuntimeBinderException e)
{
// Only match the expected error string
{
retval = 0;
}
}
return retval;
}
}
// </Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion004.genericuserconversion004
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.errorverifier.errorverifier;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion004.genericuserconversion004;
// <Area> User-defined conversions </Area>
// <Title> User defined conversions </Title>
// <Description>
// Ambiguous user defined conversion (dynamic case)
// </Description>
//<RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
// <Code>
using System;
public class A
{
public class B : A
{
}
}
public class C
{
public static implicit operator A.B(C s)
{
return new A.B();
}
}
public class D : C
{
public static implicit operator A(D s)
{
return new A.B();
}
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
var retval = 1; // failure
dynamic e2 = new D();
try
{
A.B b2 = (A.B)e2; // CS0457: Ambiguous user defined conversions 'D.implicit operator A(D)' and 'C.implicit operator B(C)'
// when converting from 'D' to 'B'
}
catch (Microsoft.CSharp.RuntimeBinder.RuntimeBinderException e)
{
// Only match the expected error string
{
retval = 0;
}
}
return retval;
}
}
// </Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion006.genericuserconversion006
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.errorverifier.errorverifier;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion006.genericuserconversion006;
// <Area> User-defined conversions </Area>
// <Title> User defined conversions </Title>
// <Description>
// Ambiguous user defined conversion (dynamic case)
// </Description>
//<RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
//<Expects Status=warning>\(30,13\).*CS0219</Expects>
// <Code>
using System;
public class A
{
public static implicit operator A(D s)
{
return new A();
}
}
public class B : A
{
public static implicit operator B(C s)
{
return new B();
}
}
public class C
{
}
public class D : C
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
var retval = 1; // failure
var errorString = @"Ambiguous user defined conversions 'A.implicit operator A(D)' and 'B.implicit operator B(C)' when converting from 'D' to 'B'";
dynamic e2 = new D();
try
{
B b2 = (B)e2; // CS0457: Ambiguous user defined conversions 'A.implicit operator A(D)' and 'B.implicit operator B(C)'
// when converting from 'D' to 'B'
}
catch (Microsoft.CSharp.RuntimeBinder.RuntimeBinderException e)
{
// Only match the expected error string
{
retval = 0;
}
}
return retval;
}
}
// </Code>
}
namespace ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion008.genericuserconversion008
{
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.errorverifier.errorverifier;
using ManagedTests.DynamicCSharp.Conformance.dynamic.context.operate.genclass.genericuserconversion008.genericuserconversion008;
// <Area> User-defined conversions </Area>
// <Title> User defined conversions </Title>
// <Description>
// Ambiguous user defined conversion (static case)
// </Description>
//<RelatedBugs></RelatedBugs>
//<Expects Status=success></Expects>
//<Expects Status=warning>\(40,16\).*CS0168</Expects>
// <Code>
using System;
public class A<T>
{
}
public class B<T> : A<T>
{
}
public class C<T>
{
public static implicit operator B<T>(C<T> s)
{
System.Console.WriteLine(1);
return new B<T>();
}
}
public class D<T> : C<T>
{
public static implicit operator A<T>(D<T> s)
{
System.Console.WriteLine(2);
return new B<T>();
}
}
public class Test
{
[Fact]
public static void DynamicCSharpRunTest()
{
Assert.Equal(0, MainMethod());
}
public static int MainMethod()
{
int retval = 3;
string errorString;
dynamic e1 = new D<int>();
try
{
var b1 = (B<int>)e1; // CS0457: Ambiguous user defined conversions 'D<int>.implicit operator A<int>(D<int>)' and 'C<int>.implicit operator B<int>(C<int>)'
// when converting from 'D<int>' to 'B<int>'
}
catch (Microsoft.CSharp.RuntimeBinder.RuntimeBinderException e)
{
// Only match the expected error string
{
retval--;
}
}
dynamic e2 = new D<object>();
try
{
var b2 = (B<object>)e2; // CS0457: Ambiguous user defined conversions 'D<object>.implicit operator A<object>(D<object>)' and 'C<object>.implicit operator B<object>(C<object>)'
// when converting from 'D<object>' to 'B<object>'
}
catch (Microsoft.CSharp.RuntimeBinder.RuntimeBinderException e)
{
// Only match the expected error string
{
retval--;
}
}
dynamic e3 = new D<dynamic>();
try
{
var b3 = (B<dynamic>)e3; // CS0457: Ambiguous user defined conversions 'D<dynamic>.implicit operator A<dynamic>(D<dynamic>)' and 'C<dynamic>.implicit operator B<dynamic>(C<dynamic>)'
// when converting from 'D<dynamic>' to 'B<dynamic>'
}
catch (Microsoft.CSharp.RuntimeBinder.RuntimeBinderException e)
{
// Only match the expected error string
{
retval--;
}
}
return retval == 0 ? retval : 1;
}
}
// </Code>
}
| 33.528736 | 294 | 0.60011 | [
"MIT"
] | Roibal/corefx | src/System.Dynamic.Runtime/tests/Dynamic.Context/Conformance.dynamic.context.operator.genclass.cs | 67,091 | C# |
using FluentAssertions;
using NUnit.Framework;
using Selenium3.Nunit.Framework.BestPractices.Pages;
namespace Selenium3.Nunit.Framework.Antipatterns.Parallelization
{
[TestFixture]
[TestFixtureSource(typeof(CrossBrowserData),
nameof(CrossBrowserData.SimpleConfiguration))]
[Parallelizable]
public class BrokenLoginFeature : BrokenBaseTest
{
private SauceDemoLoginPage _loginPage;
public BrokenLoginFeature(string browser, string version, string os) :
base(browser, version, os)
{
}
[SetUp]
public void RunBeforeEveryTest()
{
_loginPage = new SauceDemoLoginPage(Driver);
}
[Test]
public void LoginPageShouldLoad()
{
_loginPage.Open().IsLoaded.Should().BeTrue("the login page should load successfully.");
}
}
}
| 25.823529 | 99 | 0.657175 | [
"MIT"
] | etiennesillon/demo-csharp | SauceExamples/Web.Tests/Antipatterns/Parallelization/BrokenLoginFeature.cs | 878 | C# |
using AVDump3Lib.Information.MetaInfo.Core;
namespace AVDump3Lib.Processing.FileMove;
public class FileMoveContext {
public FileMoveContext(Func<string, string> getHandler, IServiceProvider serviceProvider, FileMetaInfo fileMetaInfo) {
Get = getHandler ?? throw new ArgumentNullException(nameof(getHandler));
ServiceProvider = serviceProvider ?? throw new ArgumentNullException(nameof(serviceProvider));
FileMetaInfo = fileMetaInfo ?? throw new ArgumentNullException(nameof(fileMetaInfo));
}
public Func<string, string> Get { get; }
public FileMetaInfo FileMetaInfo { get; }
public IServiceProvider ServiceProvider { get; }
}
| 40.0625 | 119 | 0.800312 | [
"MIT"
] | acidburn0zzz/AVDump3 | AVDump3Lib/Processing/FileMove/FileMoveContext.cs | 643 | C# |
using System;
using System.Collections.Generic;
using System.Globalization;
using System.IO;
using System.Linq;
using System.Security.Principal;
using System.Text.RegularExpressions;
using System.Web;
using Epinova.ElasticSearch.Core;
using Epinova.ElasticSearch.Core.Contracts;
using Epinova.ElasticSearch.Core.EPiServer.Contracts;
using Epinova.ElasticSearch.Core.Settings;
using EPiServer.Core;
using EPiServer.Core.Html.StringParsing;
using EPiServer.Data;
using EPiServer.DataAbstraction;
using EPiServer.DataAccess.Internal;
using EPiServer.Framework.Blobs;
using EPiServer.Framework.Web;
using EPiServer.Security;
using EPiServer.ServiceLocation;
using EPiServer.Web;
using Moq;
namespace TestData
{
public static class Factory
{
private static readonly Random Random = new Random();
public static ServiceLocationMock ConfigureStructureMap()
{
ServiceLocationMock result = new ServiceLocationMock
{
ServiceLocatorMock = new Mock<IServiceLocator>(),
StateAssesorMock = new Mock<IPublishedStateAssessor>(),
TemplateResolver = GetTemplateResolver()
};
result.ServiceLocatorMock.Setup(m => m.GetInstance<IPublishedStateAssessor>()).Returns(result.StateAssesorMock.Object);
result.ServiceLocatorMock.Setup(m => m.GetInstance<ITemplateResolver>()).Returns(result.TemplateResolver);
result.ServiceLocatorMock.Setup(m => m.GetInstance<ContentAssetHelper>()).Returns(new Mock<ContentAssetHelper>().Object);
ServiceLocator.SetLocator(result.ServiceLocatorMock.Object);
return result;
}
public static ServiceLocationMock SetupServiceLocator(string testHost = null, string username = null, string password = null)
{
ServiceLocationMock result = new ServiceLocationMock
{
ServiceLocatorMock = new Mock<IServiceLocator>(),
StateAssesorMock = new Mock<IPublishedStateAssessor>(),
TemplateResolver = GetTemplateResolver()
};
result.StateAssesorMock = new Mock<IPublishedStateAssessor>();
result.StateAssesorMock
.Setup(m => m.IsPublished(It.IsAny<IContent>(), It.IsAny<PublishedStateCondition>()))
.Returns(true);
Mock<ContentPathDB> contentPathMock = new Mock<ContentPathDB>(new Mock<IDatabaseExecutor>().Object);
Mock<IBestBetsRepository> bestbetMock = new Mock<IBestBetsRepository>();
Mock<IBoostingRepository> boostMock = new Mock<IBoostingRepository>();
boostMock
.Setup(m => m.GetByType(It.IsAny<Type>()))
.Returns(new Dictionary<string, int>());
Mock<ILanguageBranchRepository> language = new Mock<ILanguageBranchRepository>();
language.Setup(m => m.ListEnabled()).Returns(new List<LanguageBranch>
{
new LanguageBranch(new CultureInfo("no"))
});
Mock<IElasticSearchSettings> settings = new Mock<IElasticSearchSettings>();
settings.Setup(m => m.BulkSize).Returns(1000);
settings.Setup(m => m.CloseIndexDelay).Returns(2000);
if(username != null)
settings.Setup(m => m.Username).Returns(username);
if(password != null)
settings.Setup(m => m.Password).Returns(password);
settings.Setup(m => m.EnableFileIndexing).Returns(true);
settings.Setup(m => m.IgnoreXhtmlStringContentFragments).Returns(false);
settings.Setup(m => m.Index).Returns(ElasticFixtureSettings.IndexName);
settings.Setup(m => m.GetLanguage(It.IsAny<string>())).Returns("no");
settings.Setup(m => m.GetDefaultIndexName(It.IsAny<string>()))
.Returns(ElasticFixtureSettings.IndexName);
if (testHost != null)
settings.Setup(m => m.Host).Returns(testHost.TrimEnd('/'));
Mock<IIndexer> indexer = new Mock<IIndexer>();
result.ServiceLocatorMock.Setup(m => m.GetInstance<IIndexer>()).Returns(indexer.Object);
result.ServiceLocatorMock.Setup(m => m.GetInstance<IBoostingRepository>()).Returns(boostMock.Object);
result.ServiceLocatorMock.Setup(m => m.GetInstance<IBestBetsRepository>()).Returns(bestbetMock.Object);
result.ServiceLocatorMock.Setup(m => m.GetInstance<IElasticSearchSettings>()).Returns(settings.Object);
result.ServiceLocatorMock.Setup(m => m.GetInstance<ILanguageBranchRepository>()).Returns(language.Object);
//result.ServiceLocatorMock.Setup(m => m.GetInstance<IContentAccessEvaluator>()).Returns(new Mock<IContentAccessEvaluator>().Object);
//result.ServiceLocatorMock.Setup(m => m.GetInstance<IPrincipalAccessor>()).Returns(new Mock<IPrincipalAccessor>().Object);
result.ServiceLocatorMock.Setup(m => m.GetInstance<IElasticSearchService>()).Returns(new ElasticSearchService(settings.Object));
result.ServiceLocatorMock.Setup(m => m.GetInstance<IPublishedStateAssessor>()).Returns(result.StateAssesorMock.Object);
result.ServiceLocatorMock.Setup(m => m.GetInstance<ITemplateResolver>()).Returns(result.TemplateResolver);
result.ServiceLocatorMock.Setup(m => m.GetInstance<ContentPathDB>()).Returns(contentPathMock.Object);
result.ServiceLocatorMock.Setup(m => m.GetInstance<ContentAssetHelper>()).Returns(new Mock<ContentAssetHelper>().Object);
ServiceLocator.SetLocator(result.ServiceLocatorMock.Object);
return result;
}
public static string GetString(int size = 20)
{
string instance = Guid.NewGuid().ToString("N");
while (instance.Length < size)
instance += Guid.NewGuid().ToString("N");
return instance.Substring(0, size);
}
public static string GetSentence(int words = 5)
{
string instance = String.Empty;
for (int i = 0; i < words; i++)
instance += GetString(Random.Next(3, 8)) + " ";
return instance.Trim();
}
public static PageData GetPageData(
bool visibleInMenu = true,
bool isPublished = true,
bool userHasAccess = true,
bool hasTemplate = true,
bool isNotInWaste = true,
int id = 0,
int parentId = 0)
{
return GetPageData<PageData>(visibleInMenu, isPublished, userHasAccess, hasTemplate, isNotInWaste, id, parentId);
}
public static PageReference GetPageReference()
{
return new PageReference(GetInteger(1000));
}
public static int GetInteger(int start = 1, int count = 1337)
{
return Enumerable.Range(start, count).OrderBy(n => Guid.NewGuid()).First();
}
public static TemplateResolver GetTemplateResolver(bool hasTemplate = true)
{
Mock<TemplateResolver> templateResolver = new Mock<TemplateResolver>();
templateResolver
.Setup(
m =>
m.Resolve(
It.IsAny<HttpContextBase>(),
It.IsAny<Type>(),
It.IsAny<object>(),
It.IsAny<TemplateTypeCategories>(),
It.IsAny<string>()))
.Returns(hasTemplate ? new TemplateModel() : null);
templateResolver
.Setup(m => m.HasTemplate(It.IsAny<IContentData>(), It.IsAny<TemplateTypeCategories>()))
.Returns(hasTemplate);
templateResolver
.Setup(m => m.HasTemplate(It.IsAny<IContentData>(), It.IsAny<TemplateTypeCategories>(), It.IsAny<string>()))
.Returns(hasTemplate);
templateResolver
.Setup(m => m.HasTemplate(It.IsAny<IContentData>(), It.IsAny<TemplateTypeCategories>(), It.IsAny<ContextMode>()))
.Returns(hasTemplate);
return templateResolver.Object;
}
public static T GetPageData<T>(
bool visibleInMenu = true,
bool isPublished = true,
bool userHasAccess = true,
bool hasTemplate = true,
bool isNotInWaste = true,
int id = 0,
int parentId = 0,
CultureInfo language = null) where T : PageData
{
Mock<ISecurityDescriptor> securityDescriptor = new Mock<ISecurityDescriptor>();
securityDescriptor.Setup(m => m.HasAccess(It.IsAny<IPrincipal>(), It.IsAny<AccessLevel>())).Returns(userHasAccess);
if (language == null)
language = CultureInfo.CurrentCulture;
PageReference pageLink = id > 0 ? new PageReference(id) : GetPageReference();
PageReference parentLink = parentId > 0 ? new PageReference(parentId) : GetPageReference();
Guid pageGuid = Guid.NewGuid();
Mock<T> instance = new Mock<T>();
instance.SetupAllProperties();
instance.Setup(m => m.VisibleInMenu).Returns(visibleInMenu);
instance.Setup(m => m.Status).Returns(isPublished ? VersionStatus.Published : VersionStatus.NotCreated);
instance.Setup(m => m.GetSecurityDescriptor()).Returns(securityDescriptor.Object);
instance.Setup(m => m.ContentGuid).Returns(pageGuid);
instance.Setup(m => m.ParentLink).Returns(parentLink);
instance.Setup(m => m.ContentLink).Returns(pageLink);
instance.Setup(m => m.Language).Returns(language);
instance.Setup(m => m.Property).Returns(new PropertyDataCollection());
instance.Setup(m => m.StaticLinkURL).Returns($"/link/{pageGuid:N}.aspx?id={pageLink.ID}");
ContentReference.WasteBasket = new PageReference(1);
if (!isNotInWaste)
instance.Setup(m => m.ContentLink).Returns(ContentReference.WasteBasket);
return instance.Object;
}
public static TestPage GetTestPage(int id = 0, int parentId = 0, PageShortcutType shortcutType = PageShortcutType.Normal)
{
id = id > 0 ? id : GetInteger();
parentId = parentId > 0 ? parentId : GetInteger();
return new TestPage
{
Property =
{
["PageName"] = new PropertyString(),
["PageStartPublish"] = new PropertyDate(new DateTime(3000, 1, 1)),
["PageStopPublish"] = new PropertyDate(),
["PageLink"] = new PropertyPageReference(id),
["PageParentLink"] = new PropertyPageReference(parentId),
["PageShortcutType"] = new PropertyNumber((int) shortcutType)
}
};
}
public static string GetJsonTestData(string filename)
{
string path = GetFilePath("Json", filename);
if (!File.Exists(path))
return String.Empty;
return File.ReadAllText(path);
}
public static TestMedia GetMediaData(string name, string ext)
{
PageReference pageLink = GetPageReference();
PageReference parentLink = GetPageReference();
Guid pageGuid = Guid.NewGuid();
FileBlob blob = new FileBlob(new Uri("foo://bar.com/"), GetFilePath("Media", name + "." + ext));
Mock<TestMedia> instance = new Mock<TestMedia>();
instance.SetupAllProperties();
instance.Setup(m => m.BinaryData).Returns(blob);
instance.Setup(m => m.Name).Returns(GetString(5) + "." + ext);
instance.Setup(m => m.ContentGuid).Returns(pageGuid);
instance.Setup(m => m.ParentLink).Returns(parentLink);
instance.Setup(m => m.ContentLink).Returns(pageLink);
instance.Setup(m => m.Property).Returns(new PropertyDataCollection());
return instance.Object;
}
public static XhtmlString GetXhtmlString(string s, params IStringFragment[] additionalFragments)
{
if (s == null)
return null;
Mock<IStringFragment> fragmentMock = new Mock<IStringFragment>();
fragmentMock.SetupAllProperties();
fragmentMock.Setup(m => m.ToString()).Returns(s);
fragmentMock.Setup(m => m.GetViewFormat()).Returns(s);
Mock<XhtmlString> xhtmlStringMock = new Mock<XhtmlString>();
StringFragmentCollection fragments = new StringFragmentCollection();
if (!String.IsNullOrWhiteSpace(s))
fragments.Add(fragmentMock.Object);
if(additionalFragments != null && additionalFragments.Length > 0)
foreach (IStringFragment fragment in additionalFragments)
fragments.Add(fragment);
//xhtmlStringMock.Setup(m => m.FragmentParser).Returns(new Mock<Injected<IFragmentParser>>().Object);
xhtmlStringMock.Setup(m => m.Fragments).Returns(fragments);
xhtmlStringMock.Setup(m => m.ToString()).Returns(s);
xhtmlStringMock.Setup(m => m.ToHtmlString()).Returns(s);
xhtmlStringMock.Setup(m => m.ToInternalString()).Returns(s);
xhtmlStringMock.Setup(m => m.ToEditString()).Returns(s);
return xhtmlStringMock.Object;
}
private static string GetFilePath(string folder, string filename)
{
var appDir = new DirectoryInfo(AppDomain.CurrentDomain.BaseDirectory);
var jsonDir = Path.Combine(appDir.Parent?.Parent?.Parent?.FullName ?? String.Empty, "Tests", "TestData", folder);
return Path.Combine(jsonDir, filename);
}
public static bool ArrayEquals<T1, T2>(IEnumerable<T1> arr1, IEnumerable<T2> arr2) //where T : struct
{
var obj1 = arr1.Select(x => x as object);
var obj2 = arr2.Select(x => x as object);
return obj1.SequenceEqual(obj2);
}
public static string RemoveWhitespace(string input)
{
return Regex.Replace(input, @"\s+", String.Empty);
}
}
}
| 45.455696 | 145 | 0.614592 | [
"MIT"
] | Nettsentrisk/Epinova.Elasticsearch | tests/TestData/Factory.cs | 14,366 | C# |
//
// Copyright (c) 2004-2011 Jaroslaw Kowalski <[email protected]>
//
// 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 Jaroslaw Kowalski 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.
//
using System;
using System.Collections;
using System.Collections.Generic;
using System.Diagnostics;
using System.Runtime.CompilerServices;
using NLog.Time;
namespace NLog.Fluent
{
/// <summary>
/// A fluent class to build log events for NLog.
/// </summary>
public class LogBuilder
{
private readonly LogEventInfo _logEvent;
private readonly ILogger _logger;
/// <summary>
/// Initializes a new instance of the <see cref="LogBuilder"/> class.
/// </summary>
/// <param name="logger">The <see cref="Logger"/> to send the log event.</param>
[CLSCompliant(false)]
public LogBuilder(ILogger logger)
: this(logger, LogLevel.Debug)
{
}
/// <summary>
/// Initializes a new instance of the <see cref="LogBuilder"/> class.
/// </summary>
/// <param name="logger">The <see cref="Logger"/> to send the log event.</param>
/// <param name="logLevel">The <see cref="LogLevel"/> for the log event.</param>
[CLSCompliant(false)]
public LogBuilder(ILogger logger, LogLevel logLevel)
{
if (logger == null)
throw new ArgumentNullException("logger");
if (logLevel == null)
throw new ArgumentNullException("logLevel");
_logger = logger;
_logEvent = new LogEventInfo
{
Level = logLevel,
LoggerName = logger.Name,
TimeStamp = TimeSource.Current.Time
};
}
/// <summary>
/// Gets the <see cref="LogEventInfo"/> created by the builder.
/// </summary>
public LogEventInfo LogEventInfo
{
get { return _logEvent; }
}
/// <summary>
/// Sets the <paramref name="exception"/> information of the logging event.
/// </summary>
/// <param name="exception">The exception information of the logging event.</param>
/// <returns></returns>
public LogBuilder Exception(Exception exception)
{
_logEvent.Exception = exception;
return this;
}
/// <summary>
/// Sets the level of the logging event.
/// </summary>
/// <param name="logLevel">The level of the logging event.</param>
/// <returns></returns>
public LogBuilder Level(LogLevel logLevel)
{
if (logLevel == null)
throw new ArgumentNullException("logLevel");
_logEvent.Level = logLevel;
return this;
}
/// <summary>
/// Sets the logger name of the logging event.
/// </summary>
/// <param name="loggerName">The logger name of the logging event.</param>
/// <returns></returns>
public LogBuilder LoggerName(string loggerName)
{
_logEvent.LoggerName = loggerName;
return this;
}
/// <summary>
/// Sets the log message on the logging event.
/// </summary>
/// <param name="message">The log message for the logging event.</param>
/// <returns></returns>
public LogBuilder Message(string message)
{
_logEvent.Message = message;
return this;
}
/// <summary>
/// Sets the log message and parameters for formatting on the logging event.
/// </summary>
/// <param name="format">A composite format string.</param>
/// <param name="arg0">The object to format.</param>
/// <returns></returns>
public LogBuilder Message(string format, object arg0)
{
_logEvent.Message = format;
_logEvent.Parameters = new[] { arg0 };
return this;
}
/// <summary>
/// Sets the log message and parameters for formatting on the logging event.
/// </summary>
/// <param name="format">A composite format string.</param>
/// <param name="arg0">The first object to format.</param>
/// <param name="arg1">The second object to format.</param>
/// <returns></returns>
public LogBuilder Message(string format, object arg0, object arg1)
{
_logEvent.Message = format;
_logEvent.Parameters = new[] { arg0, arg1 };
return this;
}
/// <summary>
/// Sets the log message and parameters for formatting on the logging event.
/// </summary>
/// <param name="format">A composite format string.</param>
/// <param name="arg0">The first object to format.</param>
/// <param name="arg1">The second object to format.</param>
/// <param name="arg2">The third object to format.</param>
/// <returns></returns>
public LogBuilder Message(string format, object arg0, object arg1, object arg2)
{
_logEvent.Message = format;
_logEvent.Parameters = new[] { arg0, arg1, arg2 };
return this;
}
/// <summary>
/// Sets the log message and parameters for formatting on the logging event.
/// </summary>
/// <param name="format">A composite format string.</param>
/// <param name="arg0">The first object to format.</param>
/// <param name="arg1">The second object to format.</param>
/// <param name="arg2">The third object to format.</param>
/// <param name="arg3">The fourth object to format.</param>
/// <returns></returns>
public LogBuilder Message(string format, object arg0, object arg1, object arg2, object arg3)
{
_logEvent.Message = format;
_logEvent.Parameters = new[] { arg0, arg1, arg2, arg3 };
return this;
}
/// <summary>
/// Sets the log message and parameters for formatting on the logging event.
/// </summary>
/// <param name="format">A composite format string.</param>
/// <param name="args">An object array that contains zero or more objects to format.</param>
/// <returns></returns>
public LogBuilder Message(string format, params object[] args)
{
_logEvent.Message = format;
_logEvent.Parameters = args;
return this;
}
/// <summary>
/// Sets the log message and parameters for formatting on the logging event.
/// </summary>
/// <param name="provider">An object that supplies culture-specific formatting information.</param>
/// <param name="format">A composite format string.</param>
/// <param name="args">An object array that contains zero or more objects to format.</param>
/// <returns></returns>
public LogBuilder Message(IFormatProvider provider, string format, params object[] args)
{
_logEvent.FormatProvider = provider;
_logEvent.Message = format;
_logEvent.Parameters = args;
return this;
}
/// <summary>
/// Sets a per-event context property on the logging event.
/// </summary>
/// <param name="name">The name of the context property.</param>
/// <param name="value">The value of the context property.</param>
/// <returns></returns>
public LogBuilder Property(object name, object value)
{
if (name == null)
throw new ArgumentNullException("name");
_logEvent.Properties[name] = value;
return this;
}
/// <summary>
/// Sets multiple per-event context properties on the logging event.
/// </summary>
/// <param name="properties">The properties to set.</param>
/// <returns></returns>
public LogBuilder Properties(IDictionary properties)
{
if (properties == null)
throw new ArgumentNullException("properties");
foreach (var key in properties.Keys)
{
_logEvent.Properties[key] = properties[key];
}
return this;
}
/// <summary>
/// Sets the timestamp of the logging event.
/// </summary>
/// <param name="timeStamp">The timestamp of the logging event.</param>
/// <returns></returns>
public LogBuilder TimeStamp(DateTime timeStamp)
{
_logEvent.TimeStamp = timeStamp;
return this;
}
/// <summary>
/// Sets the stack trace for the event info.
/// </summary>
/// <param name="stackTrace">The stack trace.</param>
/// <param name="userStackFrame">Index of the first user stack frame within the stack trace.</param>
/// <returns></returns>
public LogBuilder StackTrace(StackTrace stackTrace, int userStackFrame)
{
_logEvent.SetStackTrace(stackTrace, userStackFrame);
return this;
}
#if NET4_5
/// <summary>
/// Writes the log event to the underlying logger.
/// </summary>
/// <param name="callerMemberName">The method or property name of the caller to the method. This is set at by the compiler.</param>
/// <param name="callerFilePath">The full path of the source file that contains the caller. This is set at by the compiler.</param>
/// <param name="callerLineNumber">The line number in the source file at which the method is called. This is set at by the compiler.</param>
public void Write(
[CallerMemberName]string callerMemberName = null,
[CallerFilePath]string callerFilePath = null,
[CallerLineNumber]int callerLineNumber = 0)
{
if (callerMemberName != null)
Property("CallerMemberName", callerMemberName);
if (callerFilePath != null)
Property("CallerFilePath", callerFilePath);
if (callerLineNumber != 0)
Property("CallerLineNumber", callerLineNumber);
_logger.Log(_logEvent);
}
#else
/// <summary>
/// Writes the log event to the underlying logger.
/// </summary>
public void Write()
{
_logger.Log(_logEvent);
}
#endif
#if NET4_5
/// <summary>
/// Writes the log event to the underlying logger if the condition delegate is true.
/// </summary>
/// <param name="condition">If condition is true, write log event; otherwise ignore event.</param>
/// <param name="callerMemberName">The method or property name of the caller to the method. This is set at by the compiler.</param>
/// <param name="callerFilePath">The full path of the source file that contains the caller. This is set at by the compiler.</param>
/// <param name="callerLineNumber">The line number in the source file at which the method is called. This is set at by the compiler.</param>
public void WriteIf(
Func<bool> condition,
[CallerMemberName]string callerMemberName = null,
[CallerFilePath]string callerFilePath = null,
[CallerLineNumber]int callerLineNumber = 0)
{
if (condition == null || !condition())
return;
if (callerMemberName != null)
Property("CallerMemberName", callerMemberName);
if (callerFilePath != null)
Property("CallerFilePath", callerFilePath);
if (callerLineNumber != 0)
Property("CallerLineNumber", callerLineNumber);
_logger.Log(_logEvent);
}
#else
/// <summary>
/// Writes the log event to the underlying logger.
/// </summary>
/// <param name="condition">If condition is true, write log event; otherwise ignore event.</param>
public void WriteIf(Func<bool> condition)
{
if (condition == null || !condition())
return;
_logger.Log(_logEvent);
}
#endif
#if NET4_5
/// <summary>
/// Writes the log event to the underlying logger if the condition is true.
/// </summary>
/// <param name="condition">If condition is true, write log event; otherwise ignore event.</param>
/// <param name="callerMemberName">The method or property name of the caller to the method. This is set at by the compiler.</param>
/// <param name="callerFilePath">The full path of the source file that contains the caller. This is set at by the compiler.</param>
/// <param name="callerLineNumber">The line number in the source file at which the method is called. This is set at by the compiler.</param>
public void WriteIf(
bool condition,
[CallerMemberName]string callerMemberName = null,
[CallerFilePath]string callerFilePath = null,
[CallerLineNumber]int callerLineNumber = 0)
{
if (!condition)
return;
if (callerMemberName != null)
Property("CallerMemberName", callerMemberName);
if (callerFilePath != null)
Property("CallerFilePath", callerFilePath);
if (callerLineNumber != 0)
Property("CallerLineNumber", callerLineNumber);
_logger.Log(_logEvent);
}
#else
/// <summary>
/// Writes the log event to the underlying logger.
/// </summary>
/// <param name="condition">If condition is true, write log event; otherwise ignore event.</param>
public void WriteIf(bool condition)
{
if (!condition)
return;
_logger.Log(_logEvent);
}
#endif
}
} | 38.972292 | 148 | 0.592102 | [
"BSD-3-Clause"
] | YuLad/NLog | src/NLog/Fluent/LogBuilder.cs | 15,472 | C# |
using System;
namespace Sautom.DataAccess.Helpers.Templates
{
public interface IDocumentTemplate
{
DocumentData GetDocumentData(DatabaseContext context, Guid clientId);
}
}
| 19.2 | 74 | 0.755208 | [
"MIT"
] | nikaburu/sautom-wpf | src/Sautom.DataAccess/Helpers/Templates/IDocumentTemplate.cs | 194 | C# |
using Yi.Framework.Common.Models;
using Yi.Framework.Core;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.Filters;
using Microsoft.AspNetCore.Mvc.ModelBinding;
using Microsoft.AspNetCore.Mvc.ViewFeatures;
using Microsoft.Extensions.Logging;
using Newtonsoft.Json;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Yi.Framework.Common.Helper;
namespace Yi.Framework.WebCore.FilterExtend
{
/// <summary>
/// 重复提交过滤器
/// </summary>
public class CustomAction2CommitFilterAttribute : ActionFilterAttribute
{
/// <summary>
/// 防重复提交周期 单位秒
/// </summary>
//public int TimeOut = 1;
//#region Identity
//private readonly ILogger<CustomAction2CommitFilterAttribute> _logger;
//private readonly CacheClientDB _cacheClientDB;
//private static string KeyPrefix = "2CommitFilter";
// public CustomAction2CommitFilterAttribute(ILogger<CustomAction2CommitFilterAttribute> logger, CacheClientDB cacheClientDB)
// {
// this._logger = logger;
// this._cacheClientDB = cacheClientDB;
// }
// #endregion
//if (this.IsAjaxRequest(context.HttpContext.Request))
// //{ }
// context.Result = new RedirectResult("~/Fourth/Login");
//}
//else
//{
// this._logger.LogDebug($"{currentUser.Name} 访问系统");
//}
//} public override void OnActionExecuting(ActionExecutingContext context)
//{
// string url = context.HttpContext.Request.Path.Value;
// string argument = JsonConvert.SerializeObject(context.ActionArguments);
// string ip = context.HttpContext.Connection.RemoteIpAddress.ToString();
// string agent = context.HttpContext.Request.Headers["User-Agent"];
// string sInfo = $"{url}-{argument}-{ip}-{agent}";
// string summary = MD5Helper.MD5EncodingOnly(sInfo);
// string totalKey = $"{KeyPrefix}-{summary}";
// string result = this._cacheClientDB.Get<string>(totalKey);
// if (string.IsNullOrEmpty(result))
// {
// this._cacheClientDB.Add(totalKey, "1", TimeSpan.FromSeconds(3));//3秒有效期
// this._logger.LogInformation($"CustomAction2CommitFilterAttribute:{sInfo}");
// }
// else
// {
// //已存在
// this._logger.LogWarning($"CustomAction2CommitFilterAttribute重复请求:{sInfo}");
// context.Result = new JsonResult(Result.Error("请勿重复提交"));
// }
// //CurrentUser currentUser = context.HttpContext.GetCurrentUserBySession();
// //if (currentUser == null)
// //{
// // //
//private bool IsAjaxRequest(HttpRequest request)
//{
// string header = request.Headers["X-Requested-With"];
// return "XMLHttpRequest".Equals(header);
//}
}
}
| 36.738095 | 132 | 0.608879 | [
"Apache-2.0"
] | 454313500/CC.Yi | Yi.Framework.Net5/Yi.Framework.WebCore/FilterExtend/CustomAction2CommitFilterAttribute.cs | 3,164 | C# |
/*
* Copyright (c) 2014, Firely ([email protected]) and contributors
* See the file CONTRIBUTORS for details.
*
* This file is licensed under the BSD 3-Clause license
* available at https://raw.githubusercontent.com/FirelyTeam/firely-net-sdk/master/LICENSE
*/
using Hl7.Fhir.Support;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using Hl7.Fhir.Introspection;
using Hl7.Fhir.Utility;
namespace Hl7.Fhir.Model
{
public partial class ValueSet : Hl7.Fhir.Model.DomainResource
{
[Obsolete("This property was renamed in DSTU2 to CodeSystem, and in DSTU3 out of the class entirely to the CodeSystem resource", true)]
public string Define { get; set; }
[NotMapped]
public bool HasExpansion => Expansion != null;
public bool CodeInExpansion(String code, string system = null)
{
ensureExpansion();
return FindInExpansion(code, system) != null;
}
public int? ExpansionSize()
{
if (HasExpansion)
{
return Expansion.Contains.CountConcepts();
}
else
return null;
}
public ValueSet.ContainsComponent FindInExpansion(String code, string system = null)
{
ensureExpansion();
return Expansion.Contains.FindCode(code, system);
}
public void ImportExpansion(ValueSet other)
{
other.ensureExpansion();
var combinedExpansion = ExpansionComponent.Create();
combinedExpansion.Total = 0;
combinedExpansion.Offset = 0;
// Todo: worry about duplicates
if (this.HasExpansion)
{
combinedExpansion.Parameter.AddRange(this.Expansion.Parameter);
combinedExpansion.Contains.AddRange(this.Expansion.Contains);
combinedExpansion.Total += this?.Expansion.Total ?? this.Expansion.Contains.CountConcepts();
}
combinedExpansion.Parameter.AddRange(other.Expansion.Parameter);
combinedExpansion.Contains.AddRange(other.Expansion.Contains);
combinedExpansion.Total += other.Expansion?.Total ?? other.Expansion.Contains.CountConcepts();
Expansion = combinedExpansion;
}
private void ensureExpansion()
{
if (!HasExpansion)
throw Error.InvalidOperation($"ValueSet '{Url}' has no expansion, generate the expansion first before calling this function");
}
public partial class ExpansionComponent
{
public static ExpansionComponent Create()
{
var expansion = new ExpansionComponent();
expansion.TimestampElement = FhirDateTime.Now();
expansion.IdentifierElement = Uuid.Generate().AsUri();
return expansion;
}
}
}
public static class ValueSetExtensions
{
public static int CountConcepts(this List<ValueSet.ContainsComponent> contains)
{
return contains.Where(ct => ct.Contains.Any())
.Aggregate(contains.Count(), (r, ct) => r + ct.Contains.CountConcepts());
}
}
}
| 30.490741 | 143 | 0.610386 | [
"BSD-3-Clause"
] | FirelyTeam/fhir-net-api | src/Hl7.Fhir.Core/Model/ValueSet.cs | 3,295 | C# |
using System;
using Xunit;
using GetIntoTeachingApi.Controllers;
using GetIntoTeachingApi.Models;
using Microsoft.AspNetCore.Mvc;
using FluentAssertions;
using GetIntoTeachingApi.Jobs;
using Hangfire;
using Hangfire.Common;
using Hangfire.States;
using Microsoft.AspNetCore.Authorization;
using Moq;
using GetIntoTeachingApi.Services;
using GetIntoTeachingApi.Utils;
namespace GetIntoTeachingApiTests.Controllers
{
public class MailingListControllerTests
{
private readonly Mock<ICandidateAccessTokenService> _mockAccessTokenService;
private readonly Mock<ICandidateMagicLinkTokenService> _mockMagicLinkTokenService;
private readonly Mock<ICrmService> _mockCrm;
private readonly Mock<IBackgroundJobClient> _mockJobClient;
private readonly Mock<IDateTimeProvider> _mockDateTime;
private readonly MailingListController _controller;
private readonly ExistingCandidateRequest _request;
public MailingListControllerTests()
{
_request = new ExistingCandidateRequest { Email = "[email protected]", FirstName = "John", LastName = "Doe" };
_mockAccessTokenService = new Mock<ICandidateAccessTokenService>();
_mockMagicLinkTokenService = new Mock<ICandidateMagicLinkTokenService>();
_mockDateTime = new Mock<IDateTimeProvider>();
_mockCrm = new Mock<ICrmService>();
_mockJobClient = new Mock<IBackgroundJobClient>();
_controller = new MailingListController(
_mockAccessTokenService.Object,
_mockMagicLinkTokenService.Object,
_mockCrm.Object,
_mockJobClient.Object,
_mockDateTime.Object);
// Freeze time.
_mockDateTime.Setup(m => m.UtcNow).Returns(DateTime.UtcNow);
}
[Fact]
public void Authorize_IsPresent()
{
typeof(MailingListController).Should().BeDecoratedWith<AuthorizeAttribute>(a => a.Roles == "Admin,GetIntoTeaching");
}
[Fact]
public void ExchangeAccessTokenForMember_MissingCandidate_RespondsWithUnauthorized()
{
_mockCrm.Setup(mock => mock.MatchCandidate(_request)).Returns<Candidate>(null);
var response = _controller.ExchangeAccessTokenForMember("000000", _request);
response.Should().BeOfType<UnauthorizedResult>();
}
[Fact]
public void ExchangeAccessTokenForMember_InvalidAccessToken_RespondsWithUnauthorized()
{
var candidate = new Candidate { Id = Guid.NewGuid() };
_mockCrm.Setup(mock => mock.MatchCandidate(_request)).Returns(candidate);
_mockAccessTokenService.Setup(mock => mock.IsValid("000000", _request, (Guid)candidate.Id)).Returns(false);
var response = _controller.ExchangeAccessTokenForMember("000000", _request);
response.Should().BeOfType<UnauthorizedResult>();
}
[Fact]
public void ExchangeAccessTokenForMember_ValidToken_RespondsWithMailingListAddMember()
{
var candidate = new Candidate { Id = Guid.NewGuid() };
_mockAccessTokenService.Setup(tokenService => tokenService.IsValid("000000", _request, (Guid)candidate.Id)).Returns(true);
_mockCrm.Setup(mock => mock.MatchCandidate(_request)).Returns(candidate);
var response = _controller.ExchangeAccessTokenForMember("000000", _request);
var ok = response.Should().BeOfType<OkObjectResult>().Subject;
var responseModel = ok.Value as MailingListAddMember;
responseModel.CandidateId.Should().Be(candidate.Id);
}
[Fact]
public void ExchangeMagicLinkTokenForMember_ValidToken_RespondsWithMailingListAddMember()
{
var candidate = new Candidate { Id = Guid.NewGuid(), MagicLinkTokenExpiresAt = DateTime.UtcNow.AddMinutes(1) };
var result = new CandidateMagicLinkExchangeResult(candidate);
_mockMagicLinkTokenService.Setup(m => m.Exchange(candidate.MagicLinkToken)).Returns(result);
var response = _controller.ExchangeMagicLinkTokenForMember(candidate.MagicLinkToken);
var ok = response.Should().BeOfType<OkObjectResult>().Subject;
var responseModel = ok.Value as MailingListAddMember;
responseModel.CandidateId.Should().Be(candidate.Id);
}
[Fact]
public void ExchangeMagicLinkTokenForMember_ValidToken_UpdatesTokenAsExchanged()
{
var candidate = new Candidate { Id = Guid.NewGuid(), MagicLinkTokenExpiresAt = DateTime.UtcNow.AddMinutes(1) };
var result = new CandidateMagicLinkExchangeResult(candidate);
_mockMagicLinkTokenService.Setup(m => m.Exchange(candidate.MagicLinkToken)).Returns(result);
var response = _controller.ExchangeMagicLinkTokenForMember(candidate.MagicLinkToken);
_mockJobClient.Verify(x => x.Create(
It.Is<Job>(job => job.Type == typeof(UpsertCandidateJob) && job.Method.Name == "Run" &&
IsMatch(candidate, (string)job.Args[0])),
It.IsAny<EnqueuedState>()));
}
[Fact]
public void ExchangeMagicLinkTokenForMember_InvalidToken_RespondsWithUnauthorized()
{
var token = Guid.NewGuid().ToString();
var result = new CandidateMagicLinkExchangeResult(null);
_mockMagicLinkTokenService.Setup(m => m.Exchange(token)).Returns(result);
var response = _controller.ExchangeMagicLinkTokenForMember(token);
var unauthorized = response.Should().BeOfType<UnauthorizedObjectResult>().Subject;
unauthorized.Value.Should().BeEquivalentTo(result);
}
[Fact]
public void AddMember_InvalidRequest_RespondsWithValidationErrors()
{
var request = new MailingListAddMember() { FirstName = null };
_controller.ModelState.AddModelError("FirstName", "First name must be specified.");
var response = _controller.AddMember(request);
var badRequest = response.Should().BeOfType<BadRequestObjectResult>().Subject;
var errors = badRequest.Value.Should().BeOfType<SerializableError>().Subject;
errors.Should().ContainKey("FirstName").WhichValue.Should().BeOfType<string[]>().Which.Should().Contain("First name must be specified.");
}
[Fact]
public void AddMember_ValidRequest_EnqueuesJobRespondsWithNoContent()
{
var request = new MailingListAddMember() { Email = "[email protected]", FirstName = "John", LastName = "Doe" };
var response = _controller.AddMember(request);
response.Should().BeOfType<NoContentResult>();
_mockJobClient.Verify(x => x.Create(
It.Is<Job>(job => job.Type == typeof(UpsertCandidateJob) && job.Method.Name == "Run" &&
IsMatch(request.Candidate, (string)job.Args[0])),
It.IsAny<EnqueuedState>()));
}
private static bool IsMatch(Candidate candidateA, string candidateBJson)
{
var candidateB = candidateBJson.DeserializeChangeTracked<Candidate>();
candidateA.Should().BeEquivalentTo(candidateB);
return true;
}
}
}
| 45.216867 | 150 | 0.657074 | [
"MIT"
] | uk-gov-mirror/DFE-Digital.get-into-teaching-api | GetIntoTeachingApiTests/Controllers/MailingListControllerTests.cs | 7,508 | C# |
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
// As informações gerais sobre um assembly são controladas por
// conjunto de atributos. Altere estes valores de atributo para modificar as informações
// associada a um assembly.
[assembly: AssemblyTitle("SpaUserControl.Startupp")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("SpaUserControl.Startupp")]
[assembly: AssemblyCopyright("Copyright © 2018")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]
// Definir ComVisible como false torna os tipos neste assembly invisíveis
// para componentes COM. Caso precise acessar um tipo neste assembly de
// COM, defina o atributo ComVisible como true nesse tipo.
[assembly: ComVisible(false)]
// O GUID a seguir será destinado à ID de typelib se este projeto for exposto para COM
[assembly: Guid("49dacc40-ac83-4014-8eee-45ad6956f326")]
// As informações da versão de um assembly consistem nos quatro valores a seguir:
//
// Versão Principal
// Versão Secundária
// Número da Versão
// Revisão
//
// É possível especificar todos os valores ou usar como padrão os Números de Build e da Revisão
// usando o '*' como mostrado abaixo:
// [assembly: AssemblyVersion("1.0.*")]
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.0.0.0")]
| 38.756757 | 95 | 0.75523 | [
"MIT"
] | VinicioSantos/EstudosDDD | SpaUserControl.Startupp/Properties/AssemblyInfo.cs | 1,459 | C# |
// Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License.
// <auto-generated/>
#nullable disable
using System;
using System.Collections.Generic;
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 SiteSlotBasicPublishingCredentialsPolicyScm along with the instance operations that can be performed on it. </summary>
public partial class SiteSlotBasicPublishingCredentialsPolicyScm : ArmResource
{
/// <summary> Generate the resource identifier of a <see cref="SiteSlotBasicPublishingCredentialsPolicyScm"/> instance. </summary>
public static ResourceIdentifier CreateResourceIdentifier(string subscriptionId, string resourceGroupName, string name, string slot)
{
var resourceId = $"/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm";
return new ResourceIdentifier(resourceId);
}
private readonly ClientDiagnostics _clientDiagnostics;
private readonly WebAppsRestOperations _webAppsRestClient;
private readonly CsmPublishingCredentialsPoliciesEntityData _data;
/// <summary> Initializes a new instance of the <see cref="SiteSlotBasicPublishingCredentialsPolicyScm"/> class for mocking. </summary>
protected SiteSlotBasicPublishingCredentialsPolicyScm()
{
}
/// <summary> Initializes a new instance of the <see cref = "SiteSlotBasicPublishingCredentialsPolicyScm"/> class. </summary>
/// <param name="options"> The client parameters to use in these operations. </param>
/// <param name="resource"> The resource that is the target of operations. </param>
internal SiteSlotBasicPublishingCredentialsPolicyScm(ArmResource options, CsmPublishingCredentialsPoliciesEntityData resource) : base(options, resource.Id)
{
HasData = true;
_data = resource;
Parent = options;
_clientDiagnostics = new ClientDiagnostics(ClientOptions);
_webAppsRestClient = new WebAppsRestOperations(_clientDiagnostics, Pipeline, ClientOptions, BaseUri);
#if DEBUG
ValidateResourceId(Id);
#endif
}
/// <summary> Initializes a new instance of the <see cref="SiteSlotBasicPublishingCredentialsPolicyScm"/> class. </summary>
/// <param name="options"> 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 SiteSlotBasicPublishingCredentialsPolicyScm(ArmResource options, ResourceIdentifier id) : base(options, id)
{
Parent = options;
_clientDiagnostics = new ClientDiagnostics(ClientOptions);
_webAppsRestClient = new WebAppsRestOperations(_clientDiagnostics, Pipeline, ClientOptions, BaseUri);
#if DEBUG
ValidateResourceId(Id);
#endif
}
/// <summary> Initializes a new instance of the <see cref="SiteSlotBasicPublishingCredentialsPolicyScm"/> class. </summary>
/// <param name="clientOptions"> The client options to build client context. </param>
/// <param name="credential"> The credential to build client context. </param>
/// <param name="uri"> The uri to build client context. </param>
/// <param name="pipeline"> The pipeline to build client context. </param>
/// <param name="id"> The identifier of the resource that is the target of operations. </param>
internal SiteSlotBasicPublishingCredentialsPolicyScm(ArmClientOptions clientOptions, TokenCredential credential, Uri uri, HttpPipeline pipeline, ResourceIdentifier id) : base(clientOptions, credential, uri, pipeline, id)
{
_clientDiagnostics = new ClientDiagnostics(ClientOptions);
_webAppsRestClient = new WebAppsRestOperations(_clientDiagnostics, Pipeline, ClientOptions, BaseUri);
#if DEBUG
ValidateResourceId(Id);
#endif
}
/// <summary> Gets the resource type for the operations. </summary>
public static readonly ResourceType ResourceType = "Microsoft.Web/sites/slots/basicPublishingCredentialsPolicies";
/// <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 CsmPublishingCredentialsPoliciesEntityData 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));
}
/// <summary> Gets the parent resource of this resource. </summary>
public ArmResource Parent { get; }
/// RequestPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm
/// ContextualPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm
/// OperationId: WebApps_GetScmAllowedSlot
/// <summary> Description for Returns whether Scm basic auth is allowed on the site or not. </summary>
/// <param name="cancellationToken"> The cancellation token to use. </param>
public async virtual Task<Response<SiteSlotBasicPublishingCredentialsPolicyScm>> GetAsync(CancellationToken cancellationToken = default)
{
using var scope = _clientDiagnostics.CreateScope("SiteSlotBasicPublishingCredentialsPolicyScm.Get");
scope.Start();
try
{
var response = await _webAppsRestClient.GetScmAllowedSlotAsync(Id.SubscriptionId, Id.ResourceGroupName, Id.Parent.Parent.Name, Id.Parent.Name, cancellationToken).ConfigureAwait(false);
if (response.Value == null)
throw await _clientDiagnostics.CreateRequestFailedExceptionAsync(response.GetRawResponse()).ConfigureAwait(false);
return Response.FromValue(new SiteSlotBasicPublishingCredentialsPolicyScm(this, response.Value), response.GetRawResponse());
}
catch (Exception e)
{
scope.Failed(e);
throw;
}
}
/// RequestPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm
/// ContextualPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm
/// OperationId: WebApps_GetScmAllowedSlot
/// <summary> Description for Returns whether Scm basic auth is allowed on the site or not. </summary>
/// <param name="cancellationToken"> The cancellation token to use. </param>
public virtual Response<SiteSlotBasicPublishingCredentialsPolicyScm> Get(CancellationToken cancellationToken = default)
{
using var scope = _clientDiagnostics.CreateScope("SiteSlotBasicPublishingCredentialsPolicyScm.Get");
scope.Start();
try
{
var response = _webAppsRestClient.GetScmAllowedSlot(Id.SubscriptionId, Id.ResourceGroupName, Id.Parent.Parent.Name, Id.Parent.Name, cancellationToken);
if (response.Value == null)
throw _clientDiagnostics.CreateRequestFailedException(response.GetRawResponse());
return Response.FromValue(new SiteSlotBasicPublishingCredentialsPolicyScm(this, response.Value), response.GetRawResponse());
}
catch (Exception e)
{
scope.Failed(e);
throw;
}
}
/// <summary> Lists all available geo-locations. </summary>
/// <param name="cancellationToken"> A token to allow the caller to cancel the call to the service. The default value is <see cref="CancellationToken.None" />. </param>
/// <returns> A collection of locations that may take multiple service requests to iterate over. </returns>
public async virtual Task<IEnumerable<AzureLocation>> GetAvailableLocationsAsync(CancellationToken cancellationToken = default)
{
return await ListAvailableLocationsAsync(ResourceType, cancellationToken).ConfigureAwait(false);
}
/// <summary> Lists all available geo-locations. </summary>
/// <param name="cancellationToken"> A token to allow the caller to cancel the call to the service. The default value is <see cref="CancellationToken.None" />. </param>
/// <returns> A collection of locations that may take multiple service requests to iterate over. </returns>
public virtual IEnumerable<AzureLocation> GetAvailableLocations(CancellationToken cancellationToken = default)
{
return ListAvailableLocations(ResourceType, cancellationToken);
}
/// RequestPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm
/// ContextualPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm
/// OperationId: WebApps_UpdateScmAllowedSlot
/// <summary> Description for Updates whether user publishing credentials are allowed on the site or not. </summary>
/// <param name="csmPublishingAccessPoliciesEntity"> The CsmPublishingCredentialsPoliciesEntity to use. </param>
/// <param name="waitForCompletion"> Waits for the completion of the long running operations. </param>
/// <param name="cancellationToken"> The cancellation token to use. </param>
/// <exception cref="ArgumentNullException"> <paramref name="csmPublishingAccessPoliciesEntity"/> is null. </exception>
public async virtual Task<WebAppUpdateScmAllowedSlotOperation> CreateOrUpdateAsync(CsmPublishingCredentialsPoliciesEntityData csmPublishingAccessPoliciesEntity, bool waitForCompletion = true, CancellationToken cancellationToken = default)
{
if (csmPublishingAccessPoliciesEntity == null)
{
throw new ArgumentNullException(nameof(csmPublishingAccessPoliciesEntity));
}
using var scope = _clientDiagnostics.CreateScope("SiteSlotBasicPublishingCredentialsPolicyScm.CreateOrUpdate");
scope.Start();
try
{
var response = await _webAppsRestClient.UpdateScmAllowedSlotAsync(Id.SubscriptionId, Id.ResourceGroupName, Id.Parent.Parent.Name, Id.Parent.Name, csmPublishingAccessPoliciesEntity, cancellationToken).ConfigureAwait(false);
var operation = new WebAppUpdateScmAllowedSlotOperation(this, response);
if (waitForCompletion)
await operation.WaitForCompletionAsync(cancellationToken).ConfigureAwait(false);
return operation;
}
catch (Exception e)
{
scope.Failed(e);
throw;
}
}
/// RequestPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm
/// ContextualPath: /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm
/// OperationId: WebApps_UpdateScmAllowedSlot
/// <summary> Description for Updates whether user publishing credentials are allowed on the site or not. </summary>
/// <param name="csmPublishingAccessPoliciesEntity"> The CsmPublishingCredentialsPoliciesEntity to use. </param>
/// <param name="waitForCompletion"> Waits for the completion of the long running operations. </param>
/// <param name="cancellationToken"> The cancellation token to use. </param>
/// <exception cref="ArgumentNullException"> <paramref name="csmPublishingAccessPoliciesEntity"/> is null. </exception>
public virtual WebAppUpdateScmAllowedSlotOperation CreateOrUpdate(CsmPublishingCredentialsPoliciesEntityData csmPublishingAccessPoliciesEntity, bool waitForCompletion = true, CancellationToken cancellationToken = default)
{
if (csmPublishingAccessPoliciesEntity == null)
{
throw new ArgumentNullException(nameof(csmPublishingAccessPoliciesEntity));
}
using var scope = _clientDiagnostics.CreateScope("SiteSlotBasicPublishingCredentialsPolicyScm.CreateOrUpdate");
scope.Start();
try
{
var response = _webAppsRestClient.UpdateScmAllowedSlot(Id.SubscriptionId, Id.ResourceGroupName, Id.Parent.Parent.Name, Id.Parent.Name, csmPublishingAccessPoliciesEntity, cancellationToken);
var operation = new WebAppUpdateScmAllowedSlotOperation(this, response);
if (waitForCompletion)
operation.WaitForCompletion(cancellationToken);
return operation;
}
catch (Exception e)
{
scope.Failed(e);
throw;
}
}
}
}
| 60.552743 | 246 | 0.699185 | [
"MIT"
] | LGDoor/azure-sdk-for-net | sdk/websites/Azure.ResourceManager.AppService/src/Generated/SiteSlotBasicPublishingCredentialsPolicyScm.cs | 14,351 | C# |
using System;
namespace LuckParser.Models.ParseModels
{
public abstract class Actor
{
public bool Filled { get; }
public Tuple<int, int> Lifespan { get; }
public string Color { get; }
public int Growing { get; }
protected Connector ConnectedTo;
protected Actor(bool fill, int growing, Tuple<int, int> lifespan, string color, Connector connector)
{
Lifespan = lifespan;
Color = color;
Filled = fill;
Growing = growing;
ConnectedTo = connector;
}
//
protected class Serializable
{
public bool Fill { get; set; }
public int Growing { get; set; }
public string Color { get; set; }
public string Type { get; set; }
public long Start { get; set; }
public long End { get; set; }
public object ConnectedTo { get; set; }
}
public abstract string GetCombatReplayJSON(CombatReplayMap map);
}
}
| 27.128205 | 108 | 0.543478 | [
"MIT"
] | Stonos/GW2-Elite-Insights-Parser | LuckParser/Models/ParseModels/CombatReplay/Actors/Actor.cs | 1,060 | C# |
using System;
using System.Collections.Generic;
namespace MongoDB.GenericRepository.Model
{
public class Project
{
public Project(int risk, string project_name, DateTime InitDate, DateTime FinalDate, float project_value, List<Members> listMember)
{
Project_Name = project_name;
Risk = risk;
initDate = InitDate;
finalDate = FinalDate;
Project_Value = project_value;
members = listMember;
Id = Guid.NewGuid();
}
public Project(Guid id, int risk, string project_name, DateTime InitDate, DateTime FinalDate, float project_value, List<Members> listMember)
{
Id = id;
Project_Name = project_name;
Risk = risk;
initDate = InitDate;
finalDate = FinalDate;
Project_Value = project_value;
members = listMember;
}
public Guid Id { get; private set; }
public int Risk { get; private set; }
public string Project_Name { get; private set; }
public DateTime initDate { get; private set; }
public DateTime finalDate { get; private set; }
public float Project_Value { get; private set; }
public List<Members> members { get; private set; }
}
} | 33.74359 | 148 | 0.600304 | [
"MIT"
] | iVega123/LGApi | LGApi/Model/Project.cs | 1,318 | C# |
using System.IO;
using Microsoft.AspNetCore.Hosting;
namespace NetCore.Api.Template.GraphqlApi
{
public class Program
{
public static void Main(string[] args)
{
var directory = Directory.GetCurrentDirectory();
var host = new WebHostBuilder()
.UseKestrel()
.UseContentRoot(directory)
.UseIISIntegration()
.UseStartup<Startup>()
.Build();
host.Run();
}
}
}
| 22.173913 | 60 | 0.533333 | [
"MIT"
] | thorstenalpers/NetCore-Api-Template | Content/src/Web/GraphqlApi/Program.cs | 510 | C# |
// ------------------------------------------------------------------------------
// <auto-generated>
// Generated by Xsd2Code. Version 3.4.0.18239 Microsoft Reciprocal License (Ms-RL)
// <NameSpace>Dms.Ambulance.V2100</NameSpace><Collection>Array</Collection><codeType>CSharp</codeType><EnableDataBinding>False</EnableDataBinding><EnableLazyLoading>False</EnableLazyLoading><TrackingChangesEnable>False</TrackingChangesEnable><GenTrackingClasses>False</GenTrackingClasses><HidePrivateFieldInIDE>False</HidePrivateFieldInIDE><EnableSummaryComment>True</EnableSummaryComment><VirtualProp>False</VirtualProp><IncludeSerializeMethod>True</IncludeSerializeMethod><UseBaseClass>False</UseBaseClass><GenBaseClass>False</GenBaseClass><GenerateCloneMethod>True</GenerateCloneMethod><GenerateDataContracts>False</GenerateDataContracts><CodeBaseTag>Net35</CodeBaseTag><SerializeMethodName>Serialize</SerializeMethodName><DeserializeMethodName>Deserialize</DeserializeMethodName><SaveToFileMethodName>SaveToFile</SaveToFileMethodName><LoadFromFileMethodName>LoadFromFile</LoadFromFileMethodName><GenerateXMLAttributes>True</GenerateXMLAttributes><OrderXMLAttrib>False</OrderXMLAttrib><EnableEncoding>False</EnableEncoding><AutomaticProperties>False</AutomaticProperties><GenerateShouldSerialize>False</GenerateShouldSerialize><DisableDebug>False</DisableDebug><PropNameSpecified>Default</PropNameSpecified><Encoder>UTF8</Encoder><CustomUsings></CustomUsings><ExcludeIncludedTypes>True</ExcludeIncludedTypes><EnableInitializeFields>False</EnableInitializeFields>
// </auto-generated>
// ------------------------------------------------------------------------------
namespace Dms.Ambulance.V2100 {
using System;
using System.Diagnostics;
using System.Xml.Serialization;
using System.Collections;
using System.Xml.Schema;
using System.ComponentModel;
using System.IO;
using System.Text;
[System.CodeDom.Compiler.GeneratedCodeAttribute("Xsd2Code", "3.4.0.18239")]
[System.SerializableAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="urn:hl7-org:v3")]
public partial class COCD_TP146034UK04AcuteScriptFlagTemplateId : II {
private static System.Xml.Serialization.XmlSerializer serializer;
private static System.Xml.Serialization.XmlSerializer Serializer {
get {
if ((serializer == null)) {
serializer = new System.Xml.Serialization.XmlSerializer(typeof(COCD_TP146034UK04AcuteScriptFlagTemplateId));
}
return serializer;
}
}
#region Serialize/Deserialize
/// <summary>
/// Serializes current COCD_TP146034UK04AcuteScriptFlagTemplateId object into an XML document
/// </summary>
/// <returns>string XML value</returns>
public virtual string Serialize() {
System.IO.StreamReader streamReader = null;
System.IO.MemoryStream memoryStream = null;
try {
memoryStream = new System.IO.MemoryStream();
Serializer.Serialize(memoryStream, this);
memoryStream.Seek(0, System.IO.SeekOrigin.Begin);
streamReader = new System.IO.StreamReader(memoryStream);
return streamReader.ReadToEnd();
}
finally {
if ((streamReader != null)) {
streamReader.Dispose();
}
if ((memoryStream != null)) {
memoryStream.Dispose();
}
}
}
/// <summary>
/// Deserializes workflow markup into an COCD_TP146034UK04AcuteScriptFlagTemplateId object
/// </summary>
/// <param name="xml">string workflow markup to deserialize</param>
/// <param name="obj">Output COCD_TP146034UK04AcuteScriptFlagTemplateId object</param>
/// <param name="exception">output Exception value if deserialize failed</param>
/// <returns>true if this XmlSerializer can deserialize the object; otherwise, false</returns>
public static bool Deserialize(string xml, out COCD_TP146034UK04AcuteScriptFlagTemplateId obj, out System.Exception exception) {
exception = null;
obj = default(COCD_TP146034UK04AcuteScriptFlagTemplateId);
try {
obj = Deserialize(xml);
return true;
}
catch (System.Exception ex) {
exception = ex;
return false;
}
}
public static bool Deserialize(string xml, out COCD_TP146034UK04AcuteScriptFlagTemplateId obj) {
System.Exception exception = null;
return Deserialize(xml, out obj, out exception);
}
public static COCD_TP146034UK04AcuteScriptFlagTemplateId Deserialize(string xml) {
System.IO.StringReader stringReader = null;
try {
stringReader = new System.IO.StringReader(xml);
return ((COCD_TP146034UK04AcuteScriptFlagTemplateId)(Serializer.Deserialize(System.Xml.XmlReader.Create(stringReader))));
}
finally {
if ((stringReader != null)) {
stringReader.Dispose();
}
}
}
/// <summary>
/// Serializes current COCD_TP146034UK04AcuteScriptFlagTemplateId object into file
/// </summary>
/// <param name="fileName">full path of outupt xml file</param>
/// <param name="exception">output Exception value if failed</param>
/// <returns>true if can serialize and save into file; otherwise, false</returns>
public virtual bool SaveToFile(string fileName, out System.Exception exception) {
exception = null;
try {
SaveToFile(fileName);
return true;
}
catch (System.Exception e) {
exception = e;
return false;
}
}
public virtual void SaveToFile(string fileName) {
System.IO.StreamWriter streamWriter = null;
try {
string xmlString = Serialize();
System.IO.FileInfo xmlFile = new System.IO.FileInfo(fileName);
streamWriter = xmlFile.CreateText();
streamWriter.WriteLine(xmlString);
streamWriter.Close();
}
finally {
if ((streamWriter != null)) {
streamWriter.Dispose();
}
}
}
/// <summary>
/// Deserializes xml markup from file into an COCD_TP146034UK04AcuteScriptFlagTemplateId object
/// </summary>
/// <param name="fileName">string xml file to load and deserialize</param>
/// <param name="obj">Output COCD_TP146034UK04AcuteScriptFlagTemplateId object</param>
/// <param name="exception">output Exception value if deserialize failed</param>
/// <returns>true if this XmlSerializer can deserialize the object; otherwise, false</returns>
public static bool LoadFromFile(string fileName, out COCD_TP146034UK04AcuteScriptFlagTemplateId obj, out System.Exception exception) {
exception = null;
obj = default(COCD_TP146034UK04AcuteScriptFlagTemplateId);
try {
obj = LoadFromFile(fileName);
return true;
}
catch (System.Exception ex) {
exception = ex;
return false;
}
}
public static bool LoadFromFile(string fileName, out COCD_TP146034UK04AcuteScriptFlagTemplateId obj) {
System.Exception exception = null;
return LoadFromFile(fileName, out obj, out exception);
}
public static COCD_TP146034UK04AcuteScriptFlagTemplateId LoadFromFile(string fileName) {
System.IO.FileStream file = null;
System.IO.StreamReader sr = null;
try {
file = new System.IO.FileStream(fileName, FileMode.Open, FileAccess.Read);
sr = new System.IO.StreamReader(file);
string xmlString = sr.ReadToEnd();
sr.Close();
file.Close();
return Deserialize(xmlString);
}
finally {
if ((file != null)) {
file.Dispose();
}
if ((sr != null)) {
sr.Dispose();
}
}
}
#endregion
#region Clone method
/// <summary>
/// Create a clone of this COCD_TP146034UK04AcuteScriptFlagTemplateId object
/// </summary>
public virtual COCD_TP146034UK04AcuteScriptFlagTemplateId Clone() {
return ((COCD_TP146034UK04AcuteScriptFlagTemplateId)(this.MemberwiseClone()));
}
#endregion
}
}
| 48.544974 | 1,368 | 0.610027 | [
"MIT"
] | Kusnaditjung/MimDms | src/Dms.Ambulance.V2100/Generated/COCD_TP146034UK04AcuteScriptFlagTemplateId.cs | 9,175 | C# |
using System.Reflection;
using System.Runtime.InteropServices;
using System;
using System.Resources;
// 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: AssemblyConfiguration("")]
[assembly: AssemblyCompany("Microsoft")]
[assembly: AssemblyProduct("Azure .NET SDK")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCopyright("Copyright (c) Microsoft Corporation")]
[assembly: AssemblyCulture("")]
[assembly: NeutralResourcesLanguage("en")]
// 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)]
[assembly: AssemblyTitle("Microsoft Azure SQL Management Library")]
[assembly: AssemblyDescription("Provides management functionality for Microsoft Azure SQL.")]
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.2.0.0")]
| 36.066667 | 93 | 0.778189 | [
"MIT"
] | DiogenesPolanco/azure-sdk-for-net | src/ResourceManagement/SqlManagement/Microsoft.Azure.Management.Sql/Properties/AssemblyInfo.cs | 1,084 | C# |
// ------------------------------------------------------------------------------
// <auto-generated>
// Generated by Xsd2Code++. Version 4.2.0.44
// </auto-generated>
// ------------------------------------------------------------------------------
using System;
using System.ComponentModel;
using System.Diagnostics;
using System.Xml.Serialization;
#pragma warning disable
namespace ThreatsManager.Extensions.Panels.ThreatSources.Cwe
{
/// <summary>
/// The Audience element provides a reference to the
/// target audience or group for this view.
/// </summary>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.6.1586.0")]
[Serializable]
[DebuggerStepThrough]
[DesignerCategory("code")]
[XmlType(AnonymousType=true)]
public partial class ViewAudience
{
#region Private fields
private ViewAudienceStakeholder _stakeholder;
private Structured_Text_Type _stakeholder_Description;
#endregion
/// <summary>
/// ViewAudience class constructor
/// </summary>
public ViewAudience()
{
_stakeholder_Description = new Structured_Text_Type();
}
/// <summary>
/// The Stakeholder element specifies
/// what types of members of the CWE community might be
/// interested in this view.
/// </summary>
public ViewAudienceStakeholder Stakeholder
{
get
{
return _stakeholder;
}
set
{
_stakeholder = value;
}
}
/// <summary>
/// The Stakeholder_Description element
/// provides some text describing what properties of
/// this View this particular Stakeholder might find
/// useful.
/// </summary>
public Structured_Text_Type Stakeholder_Description
{
get
{
return _stakeholder_Description;
}
set
{
_stakeholder_Description = value;
}
}
}
}
#pragma warning restore
| 25.644737 | 81 | 0.592099 | [
"MIT"
] | simonec73/threatsmanager | Studio/ThreatsManager.Extensions.WinForms/Panels/ThreatSources/Cwe/ViewAudience.cs | 1,949 | C# |
using System;
public class StartUp
{
static void Main()
{
var numberList = Console.ReadLine()
.Split();
var urlList= Console.ReadLine()
.Split();
var smartPhone = new SmartPhone();
foreach (var num in numberList)
Console.WriteLine(smartPhone.Calling(num));
foreach (var url in urlList)
Console.WriteLine(smartPhone.Browsing(url));
}
}
| 19.217391 | 56 | 0.570136 | [
"MIT"
] | ewgeni-dinew/06.C_Sharp-OOP_I | OOP-Fundamentals/05.Interface/04.Telephony/StartUp.cs | 444 | 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.Collections.Generic;
using Aliyun.Acs.Core;
using Aliyun.Acs.Core.Http;
using Aliyun.Acs.Core.Transform;
using Aliyun.Acs.Core.Utils;
using Aliyun.Acs.Mts.Transform;
using Aliyun.Acs.Mts.Transform.V20140618;
namespace Aliyun.Acs.Mts.Model.V20140618
{
public class SubmitImageSearchJobRequest : RpcAcsRequest<SubmitImageSearchJobResponse>
{
public SubmitImageSearchJobRequest()
: base("Mts", "2014-06-18", "SubmitImageSearchJob", "mts", "openAPI")
{
}
private string inputImage;
private string userData;
private long? resourceOwnerId;
private string fpDBId;
private string resourceOwnerAccount;
private string inputVideo;
private string ownerAccount;
private string action;
private long? ownerId;
private string config;
private string accessKeyId;
private string pipelineId;
public string InputImage
{
get
{
return inputImage;
}
set
{
inputImage = value;
DictionaryUtil.Add(QueryParameters, "InputImage", value);
}
}
public string UserData
{
get
{
return userData;
}
set
{
userData = value;
DictionaryUtil.Add(QueryParameters, "UserData", value);
}
}
public long? ResourceOwnerId
{
get
{
return resourceOwnerId;
}
set
{
resourceOwnerId = value;
DictionaryUtil.Add(QueryParameters, "ResourceOwnerId", value.ToString());
}
}
public string FpDBId
{
get
{
return fpDBId;
}
set
{
fpDBId = value;
DictionaryUtil.Add(QueryParameters, "FpDBId", value);
}
}
public string ResourceOwnerAccount
{
get
{
return resourceOwnerAccount;
}
set
{
resourceOwnerAccount = value;
DictionaryUtil.Add(QueryParameters, "ResourceOwnerAccount", value);
}
}
public string InputVideo
{
get
{
return inputVideo;
}
set
{
inputVideo = value;
DictionaryUtil.Add(QueryParameters, "InputVideo", value);
}
}
public string OwnerAccount
{
get
{
return ownerAccount;
}
set
{
ownerAccount = value;
DictionaryUtil.Add(QueryParameters, "OwnerAccount", value);
}
}
public string Action
{
get
{
return action;
}
set
{
action = value;
DictionaryUtil.Add(QueryParameters, "Action", value);
}
}
public long? OwnerId
{
get
{
return ownerId;
}
set
{
ownerId = value;
DictionaryUtil.Add(QueryParameters, "OwnerId", value.ToString());
}
}
public string Config
{
get
{
return config;
}
set
{
config = value;
DictionaryUtil.Add(QueryParameters, "Config", value);
}
}
public string AccessKeyId
{
get
{
return accessKeyId;
}
set
{
accessKeyId = value;
DictionaryUtil.Add(QueryParameters, "AccessKeyId", value);
}
}
public string PipelineId
{
get
{
return pipelineId;
}
set
{
pipelineId = value;
DictionaryUtil.Add(QueryParameters, "PipelineId", value);
}
}
public override SubmitImageSearchJobResponse GetResponse(UnmarshallerContext unmarshallerContext)
{
return SubmitImageSearchJobResponseUnmarshaller.Unmarshall(unmarshallerContext);
}
}
}
| 19.152466 | 105 | 0.633575 | [
"Apache-2.0"
] | pengesoft/aliyun-openapi-net-sdk | aliyun-net-sdk-mts/Mts/Model/V20140618/SubmitImageSearchJobRequest.cs | 4,271 | C# |
using Shooter.Controller;
using Shooter.Interface;
using UnityEngine;
namespace Shooter
{
public class InputController : BaseController, IOnUpdate
{
private KeyCode _activeFlashLight = KeyCode.F;
private KeyCode _cancel = KeyCode.Escape;
private KeyCode _reloadClip = KeyCode.R;
private KeyCode _savePlayer = KeyCode.C;
private KeyCode _loadPlayer = KeyCode.V;
private int _currentWeapon = 0;
public InputController()
{
Cursor.lockState = CursorLockMode.Locked;
}
public void OnUpdate()
{
if (!IsActive)
{
return;
}
if (Input.GetKeyDown(_activeFlashLight))
{
Main.Instance.FlashLightController.Switch();
}
if (Input.GetAxis("Mouse ScrollWheel") < 0)
{
if (_currentWeapon + 1 < Main.Instance.ObjectManager.Weapons.Length)
{
_currentWeapon++;
}
else
{
_currentWeapon = 0;
}
SelectWeapon(_currentWeapon);
}
else if (Input.GetAxis("Mouse ScrollWheel") > 0)
{
if (_currentWeapon - 1 > 0)
{
_currentWeapon--;
}
else
{
_currentWeapon = Main.Instance.ObjectManager.Weapons.Length - 1;
}
SelectWeapon(_currentWeapon);
}
if (Input.GetKeyDown(KeyCode.Alpha1))
{
SelectWeapon(0);
}
if (Input.GetKeyDown(KeyCode.Alpha2))
{
SelectWeapon(1);
}
if (Input.GetKeyDown(_cancel))
{
Main.Instance.WeaponController.Off();
Main.Instance.FlashLightController.Off();
}
if (Input.GetKeyDown(_reloadClip))
{
Main.Instance.WeaponController.ReloadClip();
}
if (Input.GetKeyDown(_savePlayer))
{
Main.Instance.SaveDataRepository.Save();
}
if (Input.GetKeyDown(_loadPlayer))
{
Main.Instance.SaveDataRepository.Load();
}
}
/// <summary>
/// Выбор оружия
/// </summary>
/// <param name="i">Номер оружия</param>
///<exception cref="System.NullReferenceException"></exception>
private void SelectWeapon(int i)
{
Main.Instance.WeaponController.Off();
var tempWeapon = Main.Instance.ObjectManager.Weapons[i];
if (tempWeapon != null)
{
Main.Instance.WeaponController.On(tempWeapon);
}
}
}
} | 26.7 | 84 | 0.478379 | [
"MIT"
] | Derkien/Shooter | Assets/Scripts/Controller/InputController.cs | 2,961 | C# |
using System;
using System.Numerics;
using System.Runtime.InteropServices;
namespace AltV.Net.Data
{
[StructLayout(LayoutKind.Sequential)]
public struct Rotation : IEquatable<Rotation>
{
public static Rotation Zero = new Rotation(0, 0, 0);
public static implicit operator Vector3(Rotation rotation)
{
return new Vector3
{
X = rotation.Roll,
Y = rotation.Pitch,
Z = rotation.Yaw
};
}
public static implicit operator Rotation(Vector3 vector3)
{
return new Rotation
{
Roll = vector3.X,
Pitch = vector3.Y,
Yaw = vector3.Z
};
}
public float Roll;
public float Pitch;
public float Yaw;
public Rotation(float roll, float pitch, float yaw)
{
Roll = roll;
Pitch = pitch;
Yaw = yaw;
}
public override string ToString()
{
return $"Rotation(roll: {Roll}, pitch: {Pitch}, yaw: {Yaw})";
}
public override bool Equals(object obj)
{
return obj is Rotation other && Equals(other);
}
public bool Equals(Rotation other)
{
return Roll.Equals(other.Roll) && Pitch.Equals(other.Pitch) && Yaw.Equals(other.Yaw);
}
public override int GetHashCode() => HashCode.Combine(Roll.GetHashCode(), Pitch.GetHashCode(), Yaw.GetHashCode());
}
} | 25.966667 | 122 | 0.528883 | [
"MIT"
] | StiviiK/coreclr-module | api/AltV.Net/Data/Rotation.cs | 1,558 | C# |
using System;
using GirModel;
namespace Generator3.Converter.Parameter.ToManaged;
internal class Interface : ParameterConverter
{
public bool Supports(GirModel.AnyType type)
=> type.Is<GirModel.Interface>();
public string? GetExpression(GirModel.Parameter parameter, out string variableName)
{
if (!parameter.IsPointer)
throw new NotImplementedException($"{parameter.AnyType}: Unpointed interface parameter not yet supported");
var iface = (GirModel.Interface) parameter.AnyType.AsT0;
variableName = parameter.GetConvertedName();
return $"var {variableName} = GObject.Internal.ObjectWrapper.WrapHandle<{iface.GetFullyQualified()}>({parameter.GetPublicName()}, {parameter.Transfer.IsOwnedRef().ToString().ToLower()});";
}
}
| 36.227273 | 196 | 0.72522 | [
"MIT"
] | GirCore/gir.core | src/Generation/Generator3/Converter/Parameter/ToManaged/Interface.cs | 799 | C# |
namespace Miniblink.Demo
{
partial class FrmDropFile
{
/// <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.miniblinkBrowser1 = new Miniblink.MiniblinkBrowser();
this.SuspendLayout();
//
// miniblinkBrowser1
//
this.miniblinkBrowser1.AllowDrop = true;
this.miniblinkBrowser1.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.miniblinkBrowser1.BackColor = System.Drawing.Color.White;
this.miniblinkBrowser1.Location = new System.Drawing.Point(40, 39);
this.miniblinkBrowser1.MouseMoveOptimize = true;
this.miniblinkBrowser1.Name = "miniblinkBrowser1";
this.miniblinkBrowser1.ResourceCache = null;
this.miniblinkBrowser1.Size = new System.Drawing.Size(439, 159);
this.miniblinkBrowser1.TabIndex = 0;
//
// FrmDropFile
//
this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 12F);
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
this.ClientSize = new System.Drawing.Size(522, 246);
this.Controls.Add(this.miniblinkBrowser1);
this.Name = "FrmDropFile";
this.Text = "FrmDropFile";
this.Load += new System.EventHandler(this.FrmDropFile_Load);
this.ResumeLayout(false);
}
#endregion
private Miniblink.MiniblinkBrowser miniblinkBrowser1;
}
} | 38.615385 | 166 | 0.595618 | [
"MIT"
] | h1213159982/HDF | Example/WinForm/Miniblink/Miniblink.Demo/FrmDropFile.designer.cs | 2,512 | C# |
using System;
namespace Aoite.ReflectionTest.SampleModel.Animals.Attributes
{
[AttributeUsage(AttributeTargets.Class)]
internal class CarnivoreAttribute : Attribute
{
}
}
| 17.272727 | 61 | 0.747368 | [
"Apache-2.0"
] | jeenlee/Aoite | src/core/Aoite.Tests/Aoite/Reflection/SampleModel/Animals/Attributes/CarnivoreAttribute.cs | 192 | C# |
/*
* Copyright (c) 2014-2020 GraphDefined GmbH <[email protected]>
* This file is part of WWCP Net <https://github.com/OpenChargingCloud/WWCP_Net>
*
* Licensed under the Affero GPL license, Version 3.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.gnu.org/licenses/agpl.html
*
* 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.
*/
#region Usings
using System;
using System.Linq;
using System.Threading.Tasks;
using System.Collections.Generic;
using Newtonsoft.Json.Linq;
using org.GraphDefined.Vanaheimr.Illias;
using org.GraphDefined.Vanaheimr.Hermod;
using org.GraphDefined.Vanaheimr.Hermod.HTTP;
using cloud.charging.open.API;
#endregion
namespace org.GraphDefined.WWCP.Net.IO.JSON
{
/// <summary>
/// WWCP HTTP API - JSON I/O.
/// </summary>
public static partial class JSON_IO
{
/// <summary>
/// Attach JSON I/O to the given WWCP HTTP API.
/// </summary>
/// <param name="OpenChargingCloudAPI">A WWCP HTTP API.</param>
/// <param name="Hostname">Limit this JSON I/O handling to the given HTTP hostname.</param>
/// <param name="URIPrefix">A common URI prefix for all URIs within this API.</param>
public static void Attach_JSON_IO_SmartCities(this OpenChargingCloudAPI OpenChargingCloudAPI,
HTTPHostname? _Hostname = null,
HTTPPath? _URIPrefix = null)
{
var Hostname = _Hostname ?? HTTPHostname.Any;
var URIPrefix = _URIPrefix ?? HTTPPath.Parse("/");
#region ~/RNs/{RoamingNetworkId}/SmartCities
#region GET ~/RNs/{RoamingNetworkId}/SmartCities
// -----------------------------------------------------------------------------------------
// curl -v -H "Accept: application/json" http://127.0.0.1:3004/RNs/Test/SmartCities
// -----------------------------------------------------------------------------------------
OpenChargingCloudAPI.HTTPServer.AddMethodCallback(Hostname,
HTTPMethod.GET,
URIPrefix + "RNs/{RoamingNetworkId}/SmartCities",
HTTPContentType.JSON_UTF8,
HTTPDelegate: Request => {
#region Check parameters
HTTPResponse _HTTPResponse;
RoamingNetwork _RoamingNetwork;
if (!Request.ParseRoamingNetwork(OpenChargingCloudAPI, out _RoamingNetwork, out _HTTPResponse))
return Task.FromResult(_HTTPResponse);
#endregion
var skip = Request.QueryString.GetUInt64("skip");
var take = Request.QueryString.GetUInt64("take");
var expand = Request.QueryString.GetStrings("expand");
//var expandChargingPools = !expand.Contains("-chargingpools");
//var expandChargingStations = !expand.Contains("-chargingstations");
//var expandBrands = expand.Contains("brands");
//ToDo: Getting the expected total count might be very expensive!
var _ExpectedCount = _RoamingNetwork.SmartCities.ULongCount();
return Task.FromResult(
new HTTPResponse.Builder(Request) {
HTTPStatusCode = HTTPStatusCode.OK,
Server = OpenChargingCloudAPI.HTTPServer.DefaultServerName,
Date = DateTime.UtcNow,
AccessControlAllowOrigin = "*",
AccessControlAllowMethods = "GET, COUNT, STATUS",
AccessControlAllowHeaders = "Content-Type, Accept, Authorization",
ETag = "1",
ContentType = HTTPContentType.JSON_UTF8,
Content = _RoamingNetwork.SmartCities.
ToJSON(skip,
take,
false).
//expandChargingPools,
//expandChargingStations,
//expandBrands).
ToUTF8Bytes(),
X_ExpectedTotalNumberOfItems = _ExpectedCount
}.AsImmutable);
});
#endregion
#region COUNT ~/RNs/{RoamingNetworkId}/SmartCities
// ----------------------------------------------------------------------------------------------------------------
// curl -v -X COUNT -H "Accept: application/json" http://127.0.0.1:3004/RNs/{RoamingNetworkId}/SmartCities
// ----------------------------------------------------------------------------------------------------------------
OpenChargingCloudAPI.HTTPServer.AddMethodCallback(Hostname,
HTTPMethod.COUNT,
URIPrefix + "RNs/{RoamingNetworkId}/SmartCities",
HTTPContentType.JSON_UTF8,
HTTPDelegate: Request => {
#region Check parameters
HTTPResponse _HTTPResponse;
RoamingNetwork _RoamingNetwork;
if (!Request.ParseRoamingNetwork(OpenChargingCloudAPI, out _RoamingNetwork, out _HTTPResponse))
return Task.FromResult(_HTTPResponse);
#endregion
return Task.FromResult(
new HTTPResponse.Builder(Request) {
HTTPStatusCode = HTTPStatusCode.OK,
Server = OpenChargingCloudAPI.HTTPServer.DefaultServerName,
Date = DateTime.UtcNow,
AccessControlAllowOrigin = "*",
AccessControlAllowMethods = "GET, COUNT, STATUS",
AccessControlAllowHeaders = "Content-Type, Accept, Authorization",
ETag = "1",
ContentType = HTTPContentType.JSON_UTF8,
Content = JSONObject.Create(
new JProperty("count", _RoamingNetwork.ChargingStationOperators.ULongCount())
).ToUTF8Bytes()
}.AsImmutable);
});
#endregion
#region GET ~/RNs/{RoamingNetworkId}/SmartCities->AdminStatus
// ------------------------------------------------------------------------------------------------------
// curl -v -H "Accept: application/json" http://127.0.0.1:3004/RNs/Test/SmartCities->AdminStatus
// ------------------------------------------------------------------------------------------------------
OpenChargingCloudAPI.HTTPServer.AddMethodCallback(Hostname,
HTTPMethod.GET,
URIPrefix + "RNs/{RoamingNetworkId}/SmartCities->AdminStatus",
HTTPContentType.JSON_UTF8,
HTTPDelegate: Request => {
#region Check parameters
HTTPResponse _HTTPResponse;
RoamingNetwork _RoamingNetwork;
if (!Request.ParseRoamingNetwork(OpenChargingCloudAPI, out _RoamingNetwork, out _HTTPResponse))
return Task.FromResult(_HTTPResponse);
#endregion
var skip = Request.QueryString.GetUInt64("skip");
var take = Request.QueryString.GetUInt64("take");
var historysize = Request.QueryString.GetUInt64("historysize", 1);
//ToDo: Getting the expected total count might be very expensive!
var _ExpectedCount = _RoamingNetwork.ChargingStationOperatorAdminStatus.ULongCount();
return Task.FromResult(
new HTTPResponse.Builder(Request) {
HTTPStatusCode = HTTPStatusCode.OK,
Server = OpenChargingCloudAPI.HTTPServer.DefaultServerName,
Date = DateTime.UtcNow,
AccessControlAllowOrigin = "*",
AccessControlAllowMethods = "GET",
AccessControlAllowHeaders = "Content-Type, Accept, Authorization",
ETag = "1",
ContentType = HTTPContentType.JSON_UTF8,
Content = _RoamingNetwork.ChargingStationOperatorAdminStatus.
OrderBy(kvp => kvp.Key).
ToJSON (skip,
take,
historysize).
ToUTF8Bytes(),
X_ExpectedTotalNumberOfItems = _ExpectedCount
}.AsImmutable);
});
#endregion
#region GET ~/RNs/{RoamingNetworkId}/SmartCities->Status
// -------------------------------------------------------------------------------------------------
// curl -v -H "Accept: application/json" http://127.0.0.1:3004/RNs/Test/SmartCities->Status
// -------------------------------------------------------------------------------------------------
OpenChargingCloudAPI.HTTPServer.AddMethodCallback(Hostname,
HTTPMethod.GET,
URIPrefix + "RNs/{RoamingNetworkId}/SmartCities->Status",
HTTPContentType.JSON_UTF8,
HTTPDelegate: Request => {
#region Check parameters
HTTPResponse _HTTPResponse;
RoamingNetwork _RoamingNetwork;
if (!Request.ParseRoamingNetwork(OpenChargingCloudAPI, out _RoamingNetwork, out _HTTPResponse))
return Task.FromResult(_HTTPResponse);
#endregion
var skip = Request.QueryString.GetUInt64("skip");
var take = Request.QueryString.GetUInt64("take");
var historysize = Request.QueryString.GetUInt64("historysize", 1);
//ToDo: Getting the expected total count might be very expensive!
var _ExpectedCount = _RoamingNetwork.ChargingStationOperatorStatus.ULongCount();
return Task.FromResult(
new HTTPResponse.Builder(Request) {
HTTPStatusCode = HTTPStatusCode.OK,
Server = OpenChargingCloudAPI.HTTPServer.DefaultServerName,
Date = DateTime.UtcNow,
AccessControlAllowOrigin = "*",
AccessControlAllowMethods = "GET",
AccessControlAllowHeaders = "Content-Type, Accept, Authorization",
ETag = "1",
ContentType = HTTPContentType.JSON_UTF8,
Content = _RoamingNetwork.ChargingStationOperatorStatus.
OrderBy(kvp => kvp.Key).
ToJSON (skip,
take,
historysize).
ToUTF8Bytes(),
X_ExpectedTotalNumberOfItems = _ExpectedCount
}.AsImmutable);
});
#endregion
#endregion
#region ~/RNs/{RoamingNetworkId}/SmartCities/{SmartCityId}
#region GET ~/RNs/{RoamingNetworkId}/SmartCities/{SmartCityId}
OpenChargingCloudAPI.HTTPServer.AddMethodCallback(HTTPHostname.Any,
HTTPMethod.GET,
URIPrefix + "RNs/{RoamingNetworkId}/SmartCities/{SmartCityId}",
HTTPContentType.JSON_UTF8,
HTTPDelegate: Request => {
#region Check HTTP parameters
HTTPResponse _HTTPResponse;
RoamingNetwork _RoamingNetwork;
SmartCityProxy _SmartCity;
if (!Request.ParseRoamingNetworkAndSmartCity(OpenChargingCloudAPI,
out _RoamingNetwork,
out _SmartCity,
out _HTTPResponse))
return Task.FromResult(_HTTPResponse);
#endregion
return Task.FromResult(
new HTTPResponse.Builder(Request) {
HTTPStatusCode = HTTPStatusCode.OK,
Server = OpenChargingCloudAPI.HTTPServer.DefaultServerName,
Date = DateTime.UtcNow,
AccessControlAllowOrigin = "*",
AccessControlAllowMethods = "GET, CREATE, DELETE",
AccessControlAllowHeaders = "Content-Type, Accept, Authorization",
ETag = "1",
ContentType = HTTPContentType.JSON_UTF8,
Content = _SmartCity.ToJSON().ToUTF8Bytes()
}.AsImmutable);
});
#endregion
#endregion
}
}
}
| 67.185065 | 174 | 0.33016 | [
"Apache-2.0"
] | OpenChargingCloud/OpenChargingCloudAPI | OpenChargingCloudAPI/HTTP_IO/JSON_IO_SmartCities.cs | 20,695 | C# |
using System;
using System.Windows;
using System.Windows.Media;
using Serilog;
namespace Calculator.Controls.Operators
{
public partial class Root
{
#region DependencyProperties
public static readonly DependencyProperty PointsProperty = DependencyProperty.Register(nameof(Points), typeof(PointCollection), typeof(Root), new PropertyMetadata(default(PointCollection)));
public PointCollection Points
{
get { return (PointCollection) GetValue(PointsProperty); }
set { SetValue(PointsProperty, value); }
}
public static readonly DependencyProperty IndexProperty = DependencyProperty.Register(nameof(Index), typeof(UIElement), typeof(Root), new UIPropertyMetadata(default(UIElement)));
public UIElement Index
{
get { return (UIElement) GetValue(IndexProperty); }
set { SetValue(IndexProperty, value); }
}
public static readonly DependencyProperty IndexTransformProperty = DependencyProperty.Register(nameof(IndexTransform), typeof(Transform), typeof(Root), new PropertyMetadata(default(Transform)));
public Transform IndexTransform
{
get { return (Transform) GetValue(IndexTransformProperty); }
set { SetValue(IndexTransformProperty, value); }
}
public static readonly DependencyProperty ContentXProperty = DependencyProperty.Register(nameof(ContentX), typeof(double), typeof(Root), new PropertyMetadata(default(double)));
public double ContentX
{
get { return (double) GetValue(ContentXProperty); }
set { SetValue(ContentXProperty, value); }
}
public static readonly DependencyProperty ContentYProperty = DependencyProperty.Register(nameof(ContentY), typeof(double), typeof(Root), new PropertyMetadata(default(double)));
public double ContentY
{
get { return (double) GetValue(ContentYProperty); }
set { SetValue(ContentYProperty, value); }
}
public static readonly DependencyProperty BaselineOffsetProperty = DependencyProperty.Register(nameof(BaselineOffset), typeof(double), typeof(Root), new PropertyMetadata(default(double)));
public double BaselineOffset
{
get { return (double) GetValue(BaselineOffsetProperty); }
set { SetValue(BaselineOffsetProperty, value); }
}
public static readonly DependencyProperty LineThicknessProperty = DependencyProperty.Register(nameof(LineThickness), typeof(double), typeof(Root), new PropertyMetadata(default(double)));
public double LineThickness
{
get { return (double) GetValue(LineThicknessProperty); }
set { SetValue(LineThicknessProperty, value); }
}
#endregion
private const double Scale = 0.8;
public Root()
{
try
{
InitializeComponent();
}
catch(Exception e)
{
Log.Error(e, e.Message);
throw;
}
IndexTransform = new ScaleTransform(Scale, Scale);
}
protected override Size MeasureOverride(Size constraint)
{
var childSize = new Size(double.PositiveInfinity, double.PositiveInfinity);
Index?.Measure(childSize);
(Content as UIElement)?.Measure(childSize);
LineThickness = FontSize/10.0;
var index = Index;
var content = Content as UIElement;
var indexHeight = index?.DesiredSize.Height ?? 0d * Scale;
var indexWidth = index?.DesiredSize.Width ?? 0d * Scale;
var contentHeight = content?.DesiredSize.Height ?? 0d;
var contentWidth = content?.DesiredSize.Width ?? 0d;
var rootWidth = FontSize/2.0;
var width = indexWidth + contentWidth + rootWidth;
var middleOffset = Math.Max(indexHeight, contentHeight/2.0) + 3.0;
var height = middleOffset + contentHeight/2.0 + LineThickness *4.0;
var contentTop = middleOffset - contentHeight/2.0 + 2.0*LineThickness;
if(double.IsNaN(Width) || Math.Abs(Width - width) > double.Epsilon)
Width = width;
if(double.IsNaN(Height) || Math.Abs(Height - height) > double.Epsilon)
Height = height;
BaselineOffset = contentTop + content.GetBaselineOffset();
return new Size(width, height);
}
protected override Size ArrangeOverride(Size arrangeBounds)
{
var rootWidth = FontSize/2.0;
var content = Content as UIElement;
var contentHeight = content?.DesiredSize.Height ?? 0d;
var contentWidth = content?.DesiredSize.Width ?? 0d;
var indexHeight = (Index?.DesiredSize.Height ?? 0d)*Scale;
var indexWidth = (Index?.DesiredSize.Width ?? 0d)*Scale;
var middleOffset = Math.Max(indexHeight, contentHeight/2.0) + 3.0;
var height = middleOffset + contentHeight/2.0;
var width = indexWidth + contentWidth + rootWidth;
var topLineY = middleOffset - contentHeight/2.0 + LineThickness/2.0;
var contentLeft = indexWidth + rootWidth;
ContentX = contentLeft;
ContentY = topLineY + LineThickness;
Points = new PointCollection
{
new Point(0, middleOffset), // left point
new Point(indexWidth, middleOffset), // straight line
new Point(indexWidth + rootWidth/2.0, height + LineThickness), // bottom point
new Point(indexWidth + rootWidth, topLineY), // top point
new Point(width, topLineY) // top right point
};
return base.ArrangeOverride(arrangeBounds);
}
}
}
| 41.866197 | 202 | 0.621362 | [
"MIT"
] | MovGP0/Calculator | Calculator.Controls/Operators/Root.xaml.cs | 5,947 | C# |
using Citron.Infra;
using R = Citron.IR0;
using Pretune;
using Citron.Collections;
using System;
using Citron.Analysis;
using System.Diagnostics;
namespace Citron.IR0Translator
{
partial class Analyzer
{
[ImplementIEquatable]
partial class ClassConstructorContext : ICallableContext
{
ClassConstructorSymbol symbol;
ImmutableArray<R.CallableMemberDecl> callableMemberDecls;
AnonymousIdComponent AnonymousIdComponent;
public ClassConstructorContext(ClassConstructorSymbol symbol)
{
this.symbol = symbol;
}
ClassConstructorContext(ClassConstructorContext other, CloneContext cloneContext)
{
this.symbol = other.symbol;
this.callableMemberDecls = other.callableMemberDecls;
this.AnonymousIdComponent = other.AnonymousIdComponent;
}
public void AddLambdaCapture(string capturedVarName, ITypeSymbol capturedVarType)
{
throw new UnreachableCodeException();
}
ICallableContext IMutable<ICallableContext>.Clone(CloneContext context)
{
return new ClassConstructorContext(this, context);
}
void IMutable<ICallableContext>.Update(ICallableContext src_callableContext, UpdateContext updateContext)
{
}
public R.Path.Nested MakeRPath()
{
var nestedPath = symbol.MakeRPath() as R.Path.Nested;
Debug.Assert(nestedPath != null);
return nestedPath;
}
public LocalVarInfo? GetLocalVarOutsideLambda(string varName)
{
return null;
}
public FuncReturn? GetReturn()
{
return null;
}
public bool IsSeqFunc()
{
return false;
}
public void SetRetType(ITypeSymbol retTypeValue)
{
throw new UnreachableCodeException();
}
public void AddCallableMemberDecl(R.CallableMemberDecl decl)
{
callableMemberDecls = callableMemberDecls.Add(decl);
}
public ImmutableArray<R.CallableMemberDecl> GetCallableMemberDecls()
{
return callableMemberDecls;
}
public R.Name.Anonymous NewAnonymousName()
{
return AnonymousIdComponent.NewAnonymousName();
}
public ITypeSymbol? GetThisType()
{
return symbol.GetOuterType();
}
}
}
} | 30.263158 | 118 | 0.54087 | [
"MIT"
] | ioklo/citron | Src/IR0Translator/IR0Translator/Analyzer/Analyzer.ClassConstructorContext.cs | 2,877 | 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("SchoolManagementApplciation")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("SchoolManagementApplciation")]
[assembly: AssemblyCopyright("Copyright © 2019")]
[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("93193829-4afe-4e09-a1e4-b0c4bf0bf0e0")]
// 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 Build and Revision Numbers
// by using the '*' as shown below:
// [assembly: AssemblyVersion("1.0.*")]
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.0.0.0")]
| 38.405405 | 84 | 0.753695 | [
"MIT"
] | Pushparajkvp/school-management-application-c-sharp | SchoolManagementApplciation/Properties/AssemblyInfo.cs | 1,422 | C# |
namespace ActivityStreams.Primitives
{
/// <summary>
/// Indicates that the actor has created the object.
/// </summary>
public class Create : Activity
{
public Create()
{
Type = new ActivityStreamsObject(nameof(Create));
}
}
}
| 17.428571 | 53 | 0.67623 | [
"MIT"
] | rjygraham/ActivityStreams | ActivityStreams.Primitives/ActivityTypes/Create.cs | 246 | C# |
// *** WARNING: this file was generated by the Pulumi SDK Generator. ***
// *** Do not edit by hand unless you're certain you know what you are doing! ***
using System;
using System.Collections.Generic;
using System.Collections.Immutable;
using System.Threading.Tasks;
using Pulumi.Serialization;
namespace Pulumi.GoogleNative.Dialogflow.V2.Outputs
{
/// <summary>
/// The `Status` type defines a logical error model that is suitable for different programming environments, including REST APIs and RPC APIs. It is used by [gRPC](https://github.com/grpc). Each `Status` message contains three pieces of data: error code, error message, and error details. You can find out more about this error model and how to work with it in the [API Design Guide](https://cloud.google.com/apis/design/errors).
/// </summary>
[OutputType]
public sealed class GoogleRpcStatusResponse
{
/// <summary>
/// The status code, which should be an enum value of google.rpc.Code.
/// </summary>
public readonly int Code;
/// <summary>
/// A list of messages that carry the error details. There is a common set of message types for APIs to use.
/// </summary>
public readonly ImmutableArray<ImmutableDictionary<string, string>> Details;
/// <summary>
/// A developer-facing error message, which should be in English. Any user-facing error message should be localized and sent in the google.rpc.Status.details field, or localized by the client.
/// </summary>
public readonly string Message;
[OutputConstructor]
private GoogleRpcStatusResponse(
int code,
ImmutableArray<ImmutableDictionary<string, string>> details,
string message)
{
Code = code;
Details = details;
Message = message;
}
}
}
| 41.23913 | 433 | 0.666842 | [
"Apache-2.0"
] | AaronFriel/pulumi-google-native | sdk/dotnet/Dialogflow/V2/Outputs/GoogleRpcStatusResponse.cs | 1,897 | 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;
using System.Collections.Generic;
using Aliyun.Acs.Core.Transform;
using Aliyun.Acs.OutboundBot.Model.V20191226;
namespace Aliyun.Acs.OutboundBot.Transform.V20191226
{
public class ListDialogueFlowsResponseUnmarshaller
{
public static ListDialogueFlowsResponse Unmarshall(UnmarshallerContext _ctx)
{
ListDialogueFlowsResponse listDialogueFlowsResponse = new ListDialogueFlowsResponse();
listDialogueFlowsResponse.HttpResponse = _ctx.HttpResponse;
listDialogueFlowsResponse.Code = _ctx.StringValue("ListDialogueFlows.Code");
listDialogueFlowsResponse.HttpStatusCode = _ctx.IntegerValue("ListDialogueFlows.HttpStatusCode");
listDialogueFlowsResponse.Message = _ctx.StringValue("ListDialogueFlows.Message");
listDialogueFlowsResponse.RequestId = _ctx.StringValue("ListDialogueFlows.RequestId");
listDialogueFlowsResponse.Success = _ctx.BooleanValue("ListDialogueFlows.Success");
List<ListDialogueFlowsResponse.ListDialogueFlows_DialogueFlow> listDialogueFlowsResponse_dialogueFlows = new List<ListDialogueFlowsResponse.ListDialogueFlows_DialogueFlow>();
for (int i = 0; i < _ctx.Length("ListDialogueFlows.DialogueFlows.Length"); i++) {
ListDialogueFlowsResponse.ListDialogueFlows_DialogueFlow dialogueFlow = new ListDialogueFlowsResponse.ListDialogueFlows_DialogueFlow();
dialogueFlow.DialogueFlowDefinition = _ctx.StringValue("ListDialogueFlows.DialogueFlows["+ i +"].DialogueFlowDefinition");
dialogueFlow.DialogueFlowId = _ctx.StringValue("ListDialogueFlows.DialogueFlows["+ i +"].DialogueFlowId");
dialogueFlow.DialogueFlowName = _ctx.StringValue("ListDialogueFlows.DialogueFlows["+ i +"].DialogueFlowName");
dialogueFlow.DialogueFlowType = _ctx.StringValue("ListDialogueFlows.DialogueFlows["+ i +"].DialogueFlowType");
dialogueFlow.ScriptId = _ctx.StringValue("ListDialogueFlows.DialogueFlows["+ i +"].ScriptId");
dialogueFlow.ScriptVersion = _ctx.StringValue("ListDialogueFlows.DialogueFlows["+ i +"].ScriptVersion");
listDialogueFlowsResponse_dialogueFlows.Add(dialogueFlow);
}
listDialogueFlowsResponse.DialogueFlows = listDialogueFlowsResponse_dialogueFlows;
return listDialogueFlowsResponse;
}
}
}
| 52.913793 | 178 | 0.784295 | [
"Apache-2.0"
] | AxiosCros/aliyun-openapi-net-sdk | aliyun-net-sdk-outboundbot/OutboundBot/Transform/V20191226/ListDialogueFlowsResponseUnmarshaller.cs | 3,069 | C# |
namespace Logic
{
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
[CreateAssetMenu(fileName = "Card Collection", menuName = "Card/New Collection", order = 1)]
public class CardCollection : ScriptableObject
{
public List<Card> collection;
public Card GetRandomCard()
{
var card = ScriptableObject.Instantiate(collection[RandomCardIndex]); //Instantiate will create a clon, this way the object won't be modified in editor runtime
// Debug.Log($"Generated Card: {card.name}");
return card;
}
private int RandomCardIndex
{
get{return Random.Range(0,collection.Count);}
}
}
} | 23.185185 | 161 | 0.746006 | [
"MIT"
] | ArekusuNaito/fireplace | Assets/Scripts/Logic/CardCollection.cs | 628 | C# |
using GestionPedidosService.Domain.Entities;
using GestionPedidosService.Domain.Extensions;
using GestionPedidosService.Domain.Models;
using GestionPedidosService.Domain.Models.Garments;
using GestionPedidosService.Persistence.Context;
using GestionPedidosService.Persistence.Handlers;
using GestionPedidosService.Persistence.Interfaces;
using Microsoft.EntityFrameworkCore;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Threading.Tasks;
using static GestionPedidosService.Domain.Utils.ErrorsUtil;
namespace GestionPedidosService.Persistence.Repositories.Implements
{
public class OrderDetailRepository : Repository<OrderDetail>, IOrderDetailRepository
{
public OrderDetailRepository(AppDbContext context) : base(context) { }
public override async Task<IEnumerable<OrderDetail>> GetAll()
{
return await _context.Set<OrderDetail>().Include(e => e.Garment).Include(e => e.Order).ToListAsync();
}
public async Task<OrderDetail> GetByCodeOrder_CodeGarment(string codeOrder, string codeGarment)
{
try
{
var orderDetail = await _context.OrderDetails
.AsNoTracking()
.Include(od => od.Order).ThenInclude(o => o.UserClient).ThenInclude(uc => uc.User)
.Include(od => od.Order).ThenInclude(o => o.UserAtelier).ThenInclude(ua => ua.User)
.Include(od => od.Garment).ThenInclude(g => g.FeatureGarments)
.AsSplitQuery()
.FirstOrDefaultAsync(od => od.Order.CodeOrder.Equals(codeOrder) && od.Garment.CodeGarment.Equals(codeGarment));
return orderDetail;
}
catch (Exception ex)
{
throw new RepositoryException(
HttpStatusCode.InternalServerError,
ErrorsCode.GET_CONTEXT_ERROR,
ErrorMessages.GET_CONTEXT_ERROR,
ex);
}
}
public async Task<OrderDetailRead> GetByCodeOrder_CodeGarment2(string codeOrder, string codeGarment)
{
var start = DateTime.Now;
// MEJOR PERFOMANCE
var dd = await _context.OrderDetails
.AsNoTracking()
.Select(od => new OrderDetailRead
{
CodeOrder = od.Order.CodeOrder,
OrderDate = od.Order.OrderDate,
OrderDetailStatus = od.OrderDetailStatus.ToDescriptionString(),
AttendedBy = od.Order.UserAtelier.User.NameUser + " " + od.Order.UserAtelier.User.LastNameUser,
Client = new UserClientMin
{
Email = od.Order.UserClient.User.Email,
NameClient = od.Order.UserClient.User.NameUser + " " + od.Order.UserClient.User.LastNameUser,
Phone = od.Order.UserClient.Phone
},
Garment = new CustomGarmentRead
{
CodeGarment = od.Garment.CodeGarment,
NameGarment = od.Garment.NameGarment,
Color = od.Color,
Quantity = od.Quantity,
EstimatedPrice = (od.Garment.FirstRangePrice + od.Garment.SecondRangePrice) / 2,
/*Features = od.Garment.FeatureGarments.Select(fg => new FeatureGarmentMin
{
Id = fg.Id,
Type = fg.TypeFeature,
Value = fg.Value
})*/
}
})
.FirstOrDefaultAsync(od => od.CodeOrder.Equals(codeOrder) && od.Garment.CodeGarment.Equals(codeGarment));
var finish = DateTime.Now;
Console.WriteLine($"------ COMPUTE EVALUATION METODO2 ------ " +
$"\n start at {start:HH:mm:ss.ffffff}" +
$"\n end at {finish:HH:mm:ss.ffffff}" +
$"\n difference {finish - start} ");
return dd;
}
public override async Task<OrderDetail> GetById(int id)
{
return await _context.Set<OrderDetail>()
.AsNoTracking()
.Include(e => e.Garment)
.Include(e => e.Order)
.Include(e => e.Garment.FeatureGarments)
.FirstOrDefaultAsync(e => e.Id == id);
}
}
} | 44.590476 | 127 | 0.545921 | [
"MIT"
] | Patronaje-A-Medida/GestionPedidosService | GestionPedidosService.Persistence/Repositories/Implements/OrderDetailRepository.cs | 4,684 | C# |
using System;
using System.Data;
using System.Data.SqlClient;
using Csla;
using Csla.Data;
using System.Configuration;
using System.IO;
using System.ComponentModel;
using System.Collections.Generic;
namespace Northwind.CSLA.Library
{
/// <summary>
/// ShipperInfoList Generated by MyGeneration using the CSLA Object Mapping template
/// </summary>
[Serializable()]
[TypeConverter(typeof(ShipperInfoListConverter))]
public partial class ShipperInfoList : ReadOnlyListBase<ShipperInfoList, ShipperInfo>, ICustomTypeDescriptor, IDisposable
{
#region Business Methods
internal new IList<ShipperInfo> Items
{ get { return base.Items; } }
public void AddEvents()
{
foreach (ShipperInfo tmp in this)
{
tmp.Changed += new ShipperInfoEvent(tmp_Changed);
}
}
void tmp_Changed(object sender)
{
for (int i = 0; i < Count; i++)
{
if (base[i] == sender)
this.OnListChanged(new ListChangedEventArgs(ListChangedType.ItemChanged, i));
}
}
public void Dispose()
{
foreach (ShipperInfo tmp in this)
{
tmp.Changed -= new ShipperInfoEvent(tmp_Changed);
}
}
#endregion
#region Factory Methods
/// <summary>
/// Return a list of all projects.
/// </summary>
public static ShipperInfoList Get()
{
try
{
ShipperInfoList tmp = DataPortal.Fetch<ShipperInfoList>();
ShipperInfo.AddList(tmp);
tmp.AddEvents();
return tmp;
}
catch (Exception ex)
{
throw new DbCslaException("Error on ShipperInfoList.Get", ex);
}
}
// TODO: Add alternative gets -
//public static ShipperInfoList Get(<criteria>)
//{
// try
// {
// return DataPortal.Fetch<ShipperInfoList>(new FilteredCriteria(<criteria>));
// }
// catch (Exception ex)
// {
// throw new DbCslaException("Error on ShipperInfoList.Get", ex);
// }
//}
private ShipperInfoList()
{ /* require use of factory methods */ }
#endregion
#region Data Access Portal
private void DataPortal_Fetch()
{
this.RaiseListChangedEvents = false;
Database.LogInfo("ShipperInfoList.DataPortal_Fetch", GetHashCode());
try
{
using (SqlConnection cn = Database.Northwind_SqlConnection)
{
using (SqlCommand cm = cn.CreateCommand())
{
cm.CommandType = CommandType.StoredProcedure;
cm.CommandText = "getShippers";
using (SafeDataReader dr = new SafeDataReader(cm.ExecuteReader()))
{
IsReadOnly = false;
while (dr.Read()) this.Add(new ShipperInfo(dr));
IsReadOnly = true;
}
}
}
}
catch (Exception ex)
{
Database.LogException("ShipperInfoList.DataPortal_Fetch", ex);
throw new DbCslaException("ShipperInfoList.DataPortal_Fetch", ex);
}
this.RaiseListChangedEvents = true;
}
#endregion
#region ICustomTypeDescriptor impl
public String GetClassName()
{ return TypeDescriptor.GetClassName(this, true); }
public AttributeCollection GetAttributes()
{ return TypeDescriptor.GetAttributes(this, true); }
public String GetComponentName()
{ return TypeDescriptor.GetComponentName(this, true); }
public TypeConverter GetConverter()
{ return TypeDescriptor.GetConverter(this, true); }
public EventDescriptor GetDefaultEvent()
{ return TypeDescriptor.GetDefaultEvent(this, true); }
public PropertyDescriptor GetDefaultProperty()
{ return TypeDescriptor.GetDefaultProperty(this, true); }
public object GetEditor(Type editorBaseType)
{ return TypeDescriptor.GetEditor(this, editorBaseType, true); }
public EventDescriptorCollection GetEvents(Attribute[] attributes)
{ return TypeDescriptor.GetEvents(this, attributes, true); }
public EventDescriptorCollection GetEvents()
{ return TypeDescriptor.GetEvents(this, true); }
public object GetPropertyOwner(PropertyDescriptor pd)
{ return this; }
/// <summary>
/// Called to get the properties of this type. Returns properties with certain
/// attributes. this restriction is not implemented here.
/// </summary>
/// <param name="attributes"></param>
/// <returns></returns>
public PropertyDescriptorCollection GetProperties(Attribute[] attributes)
{ return GetProperties(); }
/// <summary>
/// Called to get the properties of this type.
/// </summary>
/// <returns></returns>
public PropertyDescriptorCollection GetProperties()
{
// Create a collection object to hold property descriptors
PropertyDescriptorCollection pds = new PropertyDescriptorCollection(null);
// Iterate the list
for (int i = 0; i < this.Items.Count; i++)
{
// Create a property descriptor for the item and add to the property descriptor collection
ShipperInfoListPropertyDescriptor pd = new ShipperInfoListPropertyDescriptor(this, i);
pds.Add(pd);
}
// return the property descriptor collection
return pds;
}
#endregion
} // Class
#region Property Descriptor
/// <summary>
/// Summary description for CollectionPropertyDescriptor.
/// </summary>
public partial class ShipperInfoListPropertyDescriptor : vlnListPropertyDescriptor
{
private ShipperInfo Item { get { return (ShipperInfo) _Item;} }
public ShipperInfoListPropertyDescriptor(ShipperInfoList collection, int index):base(collection, index){;}
}
#endregion
#region Converter
internal class ShipperInfoListConverter : ExpandableObjectConverter
{
public override object ConvertTo(ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, Type destType)
{
if (destType == typeof(string) && value is ShipperInfoList)
{
// Return department and department role separated by comma.
return ((ShipperInfoList) value).Items.Count.ToString() + " Shippers";
}
return base.ConvertTo(context, culture, value, destType);
}
}
#endregion
} // Namespace
| 32.469945 | 138 | 0.694211 | [
"MIT"
] | MarimerLLC/cslacontrib | branches/2010.11.001/CodeGenTemplates/MyGeneration/Samples/Northwind/Northwind/Northwind.CSLA.Library/Generated/ShipperInfoList.cs | 5,942 | C# |
//------------------------------------------------------------
// Copyright (c) Microsoft Corporation. All rights reserved.
//------------------------------------------------------------
namespace System.IdentityModel
{
using System.Collections.Generic;
using System.Collections.ObjectModel;
using System.Diagnostics;
using System.IdentityModel.Claims;
using System.IdentityModel.Diagnostics;
using System.IdentityModel.Policy;
using System.IdentityModel.Tokens;
using System.Runtime;
using System.Security;
using System.Security.Authentication.ExtendedProtection;
using System.Security.Cryptography.X509Certificates;
using System.Security.Permissions;
using System.Security.Principal;
using System.Text;
using System.Xml;
using Microsoft.Win32;
static class SecurityUtils
{
public const string Identities = "Identities";
static int fipsAlgorithmPolicy = -1;
public const int WindowsVistaMajorNumber = 6;
static IIdentity anonymousIdentity;
// these should be kept in sync with IIS70
public const string AuthTypeNTLM = "NTLM";
public const string AuthTypeNegotiate = "Negotiate";
public const string AuthTypeKerberos = "Kerberos";
public const string AuthTypeAnonymous = "";
public const string AuthTypeCertMap = "SSL/PCT"; // mapped from a cert
public const string AuthTypeBasic = "Basic"; //LogonUser
internal static IIdentity AnonymousIdentity
{
get
{
if (anonymousIdentity == null)
anonymousIdentity = SecurityUtils.CreateIdentity(String.Empty);
return anonymousIdentity;
}
}
public static DateTime MaxUtcDateTime
{
get
{
// + and - TimeSpan.TicksPerDay is to compensate the DateTime.ParseExact (to localtime) overflow.
return new DateTime(DateTime.MaxValue.Ticks - TimeSpan.TicksPerDay, DateTimeKind.Utc);
}
}
public static DateTime MinUtcDateTime
{
get
{
// + and - TimeSpan.TicksPerDay is to compensate the DateTime.ParseExact (to localtime) overflow.
return new DateTime(DateTime.MinValue.Ticks + TimeSpan.TicksPerDay, DateTimeKind.Utc);
}
}
internal static IIdentity CreateIdentity(string name, string authenticationType)
{
return new GenericIdentity(name, authenticationType);
}
internal static IIdentity CreateIdentity(string name)
{
return new GenericIdentity(name);
}
internal static byte[] CloneBuffer(byte[] buffer)
{
return CloneBuffer(buffer, 0, buffer.Length);
}
internal static byte[] CloneBuffer(byte[] buffer, int offset, int len)
{
DiagnosticUtility.DebugAssert(offset >= 0, "Negative offset passed to CloneBuffer.");
DiagnosticUtility.DebugAssert(len >= 0, "Negative len passed to CloneBuffer.");
DiagnosticUtility.DebugAssert(buffer.Length - offset >= len, "Invalid parameters to CloneBuffer.");
byte[] copy = DiagnosticUtility.Utility.AllocateByteArray(len);
Buffer.BlockCopy(buffer, offset, copy, 0, len);
return copy;
}
internal static ReadOnlyCollection<SecurityKey> CreateSymmetricSecurityKeys( byte[] key )
{
List<SecurityKey> temp = new List<SecurityKey>( 1 );
temp.Add( new InMemorySymmetricSecurityKey( key ) );
return temp.AsReadOnly();
}
internal static byte[] EncryptKey(SecurityToken wrappingToken, string encryptionMethod, byte[] keyToWrap)
{
SecurityKey wrappingSecurityKey = null;
if (wrappingToken.SecurityKeys != null)
{
for (int i = 0; i < wrappingToken.SecurityKeys.Count; ++i)
{
if (wrappingToken.SecurityKeys[i].IsSupportedAlgorithm(encryptionMethod))
{
wrappingSecurityKey = wrappingToken.SecurityKeys[i];
break;
}
}
}
if (wrappingSecurityKey == null)
{
throw DiagnosticUtility.ExceptionUtility.ThrowHelperArgument(SR.GetString(SR.CannotFindMatchingCrypto, encryptionMethod));
}
return wrappingSecurityKey.EncryptKey(encryptionMethod, keyToWrap);
}
internal static bool MatchesBuffer(byte[] src, byte[] dst)
{
return MatchesBuffer(src, 0, dst, 0);
}
internal static bool MatchesBuffer(byte[] src, int srcOffset, byte[] dst, int dstOffset)
{
DiagnosticUtility.DebugAssert(dstOffset >= 0, "Negative dstOffset passed to MatchesBuffer.");
DiagnosticUtility.DebugAssert(srcOffset >= 0, "Negative srcOffset passed to MatchesBuffer.");
// defensive programming
if ((dstOffset < 0) || (srcOffset < 0))
return false;
if (src == null || srcOffset >= src.Length)
return false;
if (dst == null || dstOffset >= dst.Length)
return false;
if ((src.Length - srcOffset) != (dst.Length - dstOffset))
return false;
for (int i = srcOffset, j = dstOffset; i < src.Length; i++, j++)
{
if (src[i] != dst[j])
return false;
}
return true;
}
internal static string GetCertificateId(X509Certificate2 certificate)
{
string certificateId = certificate.SubjectName.Name;
if (string.IsNullOrEmpty(certificateId))
certificateId = certificate.Thumbprint;
return certificateId;
}
[Fx.Tag.SecurityNote(Critical = "Calls critical method X509Certificate2.Reset.",
Safe = "Per review from CLR security team, this method does nothing unsafe.")]
[SecuritySafeCritical]
internal static void ResetCertificate(X509Certificate2 certificate)
{
certificate.Reset();
}
internal static bool IsCurrentlyTimeEffective(DateTime effectiveTime, DateTime expirationTime, TimeSpan maxClockSkew)
{
DateTime curEffectiveTime = (effectiveTime < DateTime.MinValue.Add(maxClockSkew)) ? effectiveTime : effectiveTime.Subtract(maxClockSkew);
DateTime curExpirationTime = (expirationTime > DateTime.MaxValue.Subtract(maxClockSkew)) ? expirationTime : expirationTime.Add(maxClockSkew);
DateTime curTime = DateTime.UtcNow;
return (curEffectiveTime.ToUniversalTime() <= curTime) && (curTime < curExpirationTime.ToUniversalTime());
}
// Federal Information Processing Standards Publications
// at http://www.itl.nist.gov/fipspubs/geninfo.htm
internal static bool RequiresFipsCompliance
{
[Fx.Tag.SecurityNote(Critical = "Calls an UnsafeNativeMethod and a Critical method (GetFipsAlgorithmPolicyKeyFromRegistry.",
Safe = "processes the return and just returns a bool, which is safe.")]
[SecuritySafeCritical]
get
{
if (fipsAlgorithmPolicy == -1)
{
if (Environment.OSVersion.Version.Major >= WindowsVistaMajorNumber)
{
bool fipsEnabled;
#pragma warning suppress 56523 // we check for the return code of the method instead of calling GetLastWin32Error
bool readPolicy = (CAPI.S_OK == CAPI.BCryptGetFipsAlgorithmMode(out fipsEnabled));
if (readPolicy && fipsEnabled)
fipsAlgorithmPolicy = 1;
else
fipsAlgorithmPolicy = 0;
}
else
{
fipsAlgorithmPolicy = GetFipsAlgorithmPolicyKeyFromRegistry();
if (fipsAlgorithmPolicy != 1)
fipsAlgorithmPolicy = 0;
}
}
return fipsAlgorithmPolicy == 1;
}
}
const string fipsPolicyRegistryKey = @"System\CurrentControlSet\Control\Lsa";
/// <SecurityNote>
/// Critical - Asserts to get a value from the registry
/// </SecurityNote>
[SecurityCritical]
[RegistryPermission(SecurityAction.Assert, Read = @"HKEY_LOCAL_MACHINE\" + fipsPolicyRegistryKey)]
static int GetFipsAlgorithmPolicyKeyFromRegistry()
{
int fipsAlgorithmPolicy = -1;
using (RegistryKey fipsAlgorithmPolicyKey = Registry.LocalMachine.OpenSubKey(fipsPolicyRegistryKey, false))
{
if (fipsAlgorithmPolicyKey != null)
{
object data = fipsAlgorithmPolicyKey.GetValue("FIPSAlgorithmPolicy");
if (data != null)
fipsAlgorithmPolicy = (int)data;
}
}
return fipsAlgorithmPolicy;
}
/// <summary>
/// Checks if an <see cref="X509Certificate2Collection"/> object contains a given <see cref="X509Certificate2"/>
/// by comparing <see cref="X509Certificate2.RawData"/>, byte-by-byte.
/// </summary>
/// <param name="collection">An <see cref="X509Certificate2Collection"/> object.</param>
/// <param name="certificate">A <see cref="X509Certificate2"/> object.</param>
/// <returns>true if <paramref name="collection"/> contains <paramref name="collection"/>, false otherwise.</returns>
internal static bool CollectionContainsCertificate(X509Certificate2Collection collection, X509Certificate2 certificate)
{
if (collection == null || certificate == null || certificate.Handle == IntPtr.Zero)
return false;
var certificateRawData = certificate.RawData;
for (int i = 0; i < collection.Count; i++)
{
if (collection[i].Handle == IntPtr.Zero)
continue;
var memberCertificateRawData = collection[i].RawData;
if (CryptoHelper.IsEqual(memberCertificateRawData, certificateRawData))
return true;
}
return false;
}
class SimpleAuthorizationContext : AuthorizationContext
{
SecurityUniqueId id;
UnconditionalPolicy policy;
IDictionary<string, object> properties;
public SimpleAuthorizationContext(IList<IAuthorizationPolicy> authorizationPolicies)
{
this.policy = (UnconditionalPolicy)authorizationPolicies[0];
Dictionary<string, object> properties = new Dictionary<string, object>();
if (this.policy.PrimaryIdentity != null && this.policy.PrimaryIdentity != SecurityUtils.AnonymousIdentity)
{
List<IIdentity> identities = new List<IIdentity>();
identities.Add(this.policy.PrimaryIdentity);
properties.Add(SecurityUtils.Identities, identities);
}
// Might need to port ReadOnlyDictionary?
this.properties = properties;
}
public override string Id
{
get
{
if (this.id == null)
this.id = SecurityUniqueId.Create();
return this.id.Value;
}
}
public override ReadOnlyCollection<ClaimSet> ClaimSets { get { return this.policy.Issuances; } }
public override DateTime ExpirationTime { get { return this.policy.ExpirationTime; } }
public override IDictionary<string, object> Properties { get { return this.properties; } }
}
internal static AuthorizationContext CreateDefaultAuthorizationContext(IList<IAuthorizationPolicy> authorizationPolicies)
{
AuthorizationContext authorizationContext;
// This is faster than Policy evaluation.
if (authorizationPolicies != null && authorizationPolicies.Count == 1 && authorizationPolicies[0] is UnconditionalPolicy)
{
authorizationContext = new SimpleAuthorizationContext(authorizationPolicies);
}
// degenerate case
else if (authorizationPolicies == null || authorizationPolicies.Count <= 0)
{
return DefaultAuthorizationContext.Empty;
}
else
{
// there are some policies, run them until they are all done
DefaultEvaluationContext evaluationContext = new DefaultEvaluationContext();
object[] policyState = new object[authorizationPolicies.Count];
object done = new object();
int oldContextCount;
do
{
oldContextCount = evaluationContext.Generation;
for (int i = 0; i < authorizationPolicies.Count; i++)
{
if (policyState[i] == done)
continue;
IAuthorizationPolicy policy = authorizationPolicies[i];
if (policy == null)
{
policyState[i] = done;
continue;
}
if (policy.Evaluate(evaluationContext, ref policyState[i]))
{
policyState[i] = done;
if (DiagnosticUtility.ShouldTraceVerbose)
{
TraceUtility.TraceEvent(TraceEventType.Verbose, TraceCode.AuthorizationPolicyEvaluated,
SR.GetString(SR.AuthorizationPolicyEvaluated, policy.Id));
}
}
}
} while (oldContextCount < evaluationContext.Generation);
authorizationContext = new DefaultAuthorizationContext(evaluationContext);
}
if (DiagnosticUtility.ShouldTraceInformation)
{
TraceUtility.TraceEvent(TraceEventType.Information, TraceCode.AuthorizationContextCreated,
SR.GetString(SR.AuthorizationContextCreated, authorizationContext.Id));
}
return authorizationContext;
}
internal static string ClaimSetToString(ClaimSet claimSet)
{
StringBuilder sb = new StringBuilder();
sb.AppendLine("ClaimSet [");
for (int i = 0; i < claimSet.Count; i++)
{
Claim claim = claimSet[i];
if (claim != null)
{
sb.Append(" ");
sb.AppendLine(claim.ToString());
}
}
string prefix = "] by ";
ClaimSet issuer = claimSet;
do
{
// PreSharp Bug: A null-dereference can occur here.
#pragma warning suppress 56506 // issuer was just set to this.
issuer = issuer.Issuer;
sb.AppendFormat("{0}{1}", prefix, issuer == claimSet ? "Self" : (issuer.Count <= 0 ? "Unknown" : issuer[0].ToString()));
prefix = " -> ";
} while (issuer.Issuer != issuer);
return sb.ToString();
}
// This is the workaround, Since store.Certificates returns a full collection
// of certs in store. These are holding native resources.
internal static void ResetAllCertificates(X509Certificate2Collection certificates)
{
if (certificates != null)
{
for (int i = 0; i < certificates.Count; ++i)
{
ResetCertificate(certificates[i]);
}
}
}
internal static byte[] ReadContentAsBase64(XmlDictionaryReader reader, long maxBufferSize)
{
if (reader == null)
throw DiagnosticUtility.ExceptionUtility.ThrowHelperArgumentNull("reader");
// Code cloned from System.Xml.XmlDictionaryReder.
byte[][] buffers = new byte[32][];
byte[] buffer;
// Its best to read in buffers that are a multiple of 3 so we don't break base64 boundaries when converting text
int count = 384;
int bufferCount = 0;
int totalRead = 0;
while (true)
{
buffer = new byte[count];
buffers[bufferCount++] = buffer;
int read = 0;
while (read < buffer.Length)
{
int actual = reader.ReadContentAsBase64(buffer, read, buffer.Length - read);
if (actual == 0)
break;
read += actual;
}
if (totalRead > maxBufferSize - read)
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new LimitExceededException(SR.GetString(SR.BufferQuotaExceededReadingBase64, maxBufferSize)));
totalRead += read;
if (read < buffer.Length)
break;
count = count * 2;
}
buffer = new byte[totalRead];
int offset = 0;
for (int i = 0; i < bufferCount - 1; i++)
{
Buffer.BlockCopy(buffers[i], 0, buffer, offset, buffers[i].Length);
offset += buffers[i].Length;
}
Buffer.BlockCopy(buffers[bufferCount - 1], 0, buffer, offset, totalRead - offset);
return buffer;
}
internal static byte[] DecryptKey(SecurityToken unwrappingToken, string encryptionMethod, byte[] wrappedKey, out SecurityKey unwrappingSecurityKey)
{
unwrappingSecurityKey = null;
if (unwrappingToken.SecurityKeys != null)
{
for (int i = 0; i < unwrappingToken.SecurityKeys.Count; ++i)
{
if (unwrappingToken.SecurityKeys[i].IsSupportedAlgorithm(encryptionMethod))
{
unwrappingSecurityKey = unwrappingToken.SecurityKeys[i];
break;
}
}
}
if (unwrappingSecurityKey == null)
{
throw DiagnosticUtility.ExceptionUtility.ThrowHelperWarning(new SecurityMessageSerializationException(SR.GetString(SR.CannotFindMatchingCrypto, encryptionMethod)));
}
return unwrappingSecurityKey.DecryptKey(encryptionMethod, wrappedKey);
}
public static bool TryCreateX509CertificateFromRawData(byte[] rawData, out X509Certificate2 certificate)
{
certificate = (rawData == null || rawData.Length == 0) ? null : new X509Certificate2(rawData);
return certificate != null && certificate.Handle != IntPtr.Zero;
}
internal static byte[] DecodeHexString(string hexString)
{
hexString = hexString.Trim();
bool spaceSkippingMode = false;
int i = 0;
int length = hexString.Length;
if ((length >= 2) &&
(hexString[0] == '0') &&
((hexString[1] == 'x') || (hexString[1] == 'X')))
{
length = hexString.Length - 2;
i = 2;
}
if (length < 2)
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new FormatException(SR.GetString(SR.InvalidHexString)));
byte[] sArray;
if (length >= 3 && hexString[i + 2] == ' ')
{
if (length % 3 != 2)
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new FormatException(SR.GetString(SR.InvalidHexString)));
spaceSkippingMode = true;
// Each hex digit will take three spaces, except the first (hence the plus 1).
sArray = DiagnosticUtility.Utility.AllocateByteArray(length / 3 + 1);
}
else
{
if (length % 2 != 0)
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new FormatException(SR.GetString(SR.InvalidHexString)));
spaceSkippingMode = false;
// Each hex digit will take two spaces
sArray = DiagnosticUtility.Utility.AllocateByteArray(length / 2);
}
int digit;
int rawdigit;
for (int j = 0; i < hexString.Length; i += 2, j++)
{
rawdigit = ConvertHexDigit(hexString[i]);
digit = ConvertHexDigit(hexString[i + 1]);
sArray[j] = (byte)(digit | (rawdigit << 4));
if (spaceSkippingMode)
i++;
}
return (sArray);
}
static int ConvertHexDigit(Char val)
{
if (val <= '9' && val >= '0')
return (val - '0');
else if (val >= 'a' && val <= 'f')
return ((val - 'a') + 10);
else if (val >= 'A' && val <= 'F')
return ((val - 'A') + 10);
else
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new FormatException(SR.GetString(SR.InvalidHexString)));
}
internal static ReadOnlyCollection<IAuthorizationPolicy> CreateAuthorizationPolicies(ClaimSet claimSet)
{
return CreateAuthorizationPolicies(claimSet, SecurityUtils.MaxUtcDateTime);
}
internal static ReadOnlyCollection<IAuthorizationPolicy> CreateAuthorizationPolicies(ClaimSet claimSet, DateTime expirationTime)
{
List<IAuthorizationPolicy> policies = new List<IAuthorizationPolicy>(1);
policies.Add(new UnconditionalPolicy(claimSet, expirationTime));
return policies.AsReadOnly();
}
internal static string GenerateId()
{
return SecurityUniqueId.Create().Value;
}
internal static bool IsSupportedAlgorithm(string algorithm, SecurityToken token)
{
if (token.SecurityKeys == null)
{
return false;
}
for (int i = 0; i < token.SecurityKeys.Count; ++i)
{
if (token.SecurityKeys[i].IsSupportedAlgorithm(algorithm))
{
return true;
}
}
return false;
}
internal static IIdentity CloneIdentityIfNecessary(IIdentity identity)
{
if (identity != null)
{
WindowsIdentity wid = identity as WindowsIdentity;
if (wid != null)
{
return CloneWindowsIdentityIfNecessary(wid);
}
//X509Identity x509 = identity as X509Identity;
//if (x509 != null)
//{
// return x509.Clone();
//}
}
return identity;
}
/// <SecurityNote>
/// Critical - calls two critical methods: UnsafeGetWindowsIdentityToken and UnsafeCreateWindowsIdentityFromToken
/// Safe - "clone" operation is considered safe despite using WindowsIdentity IntPtr token
/// must not let IntPtr token leak in or out
/// </SecurityNote>
[SecuritySafeCritical]
internal static WindowsIdentity CloneWindowsIdentityIfNecessary(WindowsIdentity wid)
{
return CloneWindowsIdentityIfNecessary(wid, wid.AuthenticationType);
}
[SecuritySafeCritical]
internal static WindowsIdentity CloneWindowsIdentityIfNecessary(WindowsIdentity wid, string authenticationType)
{
if (wid != null)
{
IntPtr token = UnsafeGetWindowsIdentityToken(wid);
if (token != IntPtr.Zero)
{
return UnsafeCreateWindowsIdentityFromToken(token, authenticationType);
}
}
return wid;
}
/// <SecurityNote>
/// Critical - elevates in order to return the WindowsIdentity.Token property
/// caller must protect return value
/// </SecurityNote>
[SecurityCritical]
[SecurityPermission(SecurityAction.Assert, UnmanagedCode = true)]
static IntPtr UnsafeGetWindowsIdentityToken(WindowsIdentity wid)
{
return wid.Token;
}
/// <SecurityNote>
/// Critical - elevates in order to construct a WindowsIdentity instance from an IntPtr
/// caller must protect parameter return value
/// </SecurityNote>
// We pass the authenticationType in as WindowsIdentity will all into a priviledged call in LSA which could fail
// resulting in a null authenticationType.
[SecurityCritical]
[SecurityPermission(SecurityAction.Assert, ControlPrincipal = true, UnmanagedCode = true)]
static WindowsIdentity UnsafeCreateWindowsIdentityFromToken(IntPtr token, string authenticationType)
{
if (authenticationType != null)
{
return new WindowsIdentity(token, authenticationType);
}
else
{
return new WindowsIdentity(token);
}
}
internal static ClaimSet CloneClaimSetIfNecessary(ClaimSet claimSet)
{
if (claimSet != null)
{
WindowsClaimSet wic = claimSet as WindowsClaimSet;
if (wic != null)
{
return wic.Clone();
}
//X509CertificateClaimSet x509 = claimSet as X509CertificateClaimSet;
//if (x509 != null)
//{
// return x509.Clone();
//}
}
return claimSet;
}
internal static ReadOnlyCollection<ClaimSet> CloneClaimSetsIfNecessary(ReadOnlyCollection<ClaimSet> claimSets)
{
if (claimSets != null)
{
bool clone = false;
for (int i = 0; i < claimSets.Count; ++i)
{
if (claimSets[i] is WindowsClaimSet)// || claimSets[i] is X509CertificateClaimSet)
{
clone = true;
break;
}
}
if (clone)
{
List<ClaimSet> ret = new List<ClaimSet>(claimSets.Count);
for (int i = 0; i < claimSets.Count; ++i)
{
ret.Add(SecurityUtils.CloneClaimSetIfNecessary(claimSets[i]));
}
return ret.AsReadOnly();
}
}
return claimSets;
}
internal static void DisposeClaimSetIfNecessary(ClaimSet claimSet)
{
if (claimSet != null)
{
SecurityUtils.DisposeIfNecessary(claimSet as WindowsClaimSet);
}
}
internal static void DisposeClaimSetsIfNecessary(ReadOnlyCollection<ClaimSet> claimSets)
{
if (claimSets != null)
{
for (int i = 0; i < claimSets.Count; ++i)
{
SecurityUtils.DisposeIfNecessary(claimSets[i] as WindowsClaimSet);
}
}
}
internal static ReadOnlyCollection<IAuthorizationPolicy> CloneAuthorizationPoliciesIfNecessary(ReadOnlyCollection<IAuthorizationPolicy> authorizationPolicies)
{
if (authorizationPolicies != null && authorizationPolicies.Count > 0)
{
bool clone = false;
for (int i = 0; i < authorizationPolicies.Count; ++i)
{
UnconditionalPolicy policy = authorizationPolicies[i] as UnconditionalPolicy;
if (policy != null && policy.IsDisposable)
{
clone = true;
break;
}
}
if (clone)
{
List<IAuthorizationPolicy> ret = new List<IAuthorizationPolicy>(authorizationPolicies.Count);
for (int i = 0; i < authorizationPolicies.Count; ++i)
{
UnconditionalPolicy policy = authorizationPolicies[i] as UnconditionalPolicy;
if (policy != null)
{
ret.Add(policy.Clone());
}
else
{
ret.Add(authorizationPolicies[i]);
}
}
return ret.AsReadOnly();
}
}
return authorizationPolicies;
}
public static void DisposeAuthorizationPoliciesIfNecessary(ReadOnlyCollection<IAuthorizationPolicy> authorizationPolicies)
{
if (authorizationPolicies != null && authorizationPolicies.Count > 0)
{
for (int i = 0; i < authorizationPolicies.Count; ++i)
{
DisposeIfNecessary(authorizationPolicies[i] as UnconditionalPolicy);
}
}
}
public static void DisposeIfNecessary(IDisposable obj)
{
if (obj != null)
{
obj.Dispose();
}
}
}
/// <summary>
/// Internal helper class to help keep Kerberos and Spnego in sync.
/// This code is shared by:
/// System\IdentityModel\Tokens\KerberosReceiverSecurityToken.cs
/// System\ServiceModel\Security\WindowsSspiNegotiation.cs
/// Both this code paths require this logic.
/// </summary>
internal class ExtendedProtectionPolicyHelper
{
//
// keep the defaults: _protectionScenario and _policyEnforcement, in sync with: static class System.ServiceModel.Channel.ChannelBindingUtility
// We can't access those defaults as IdentityModel cannot take a dependency on ServiceModel
//
static ExtendedProtectionPolicy disabledPolicy = new ExtendedProtectionPolicy(PolicyEnforcement.Never);
PolicyEnforcement _policyEnforcement;
ProtectionScenario _protectionScenario;
ChannelBinding _channelBinding;
ServiceNameCollection _serviceNameCollection;
bool _checkServiceBinding;
public ExtendedProtectionPolicyHelper(ChannelBinding channelBinding, ExtendedProtectionPolicy extendedProtectionPolicy)
{
_protectionScenario = DefaultPolicy.ProtectionScenario;
_policyEnforcement = DefaultPolicy.PolicyEnforcement;
_channelBinding = channelBinding;
_serviceNameCollection = null;
_checkServiceBinding = true;
if (extendedProtectionPolicy != null)
{
_policyEnforcement = extendedProtectionPolicy.PolicyEnforcement;
_protectionScenario = extendedProtectionPolicy.ProtectionScenario;
_serviceNameCollection = extendedProtectionPolicy.CustomServiceNames;
}
if (_policyEnforcement == PolicyEnforcement.Never)
{
_checkServiceBinding = false;
}
}
public bool ShouldAddChannelBindingToASC()
{
return (_channelBinding != null && _policyEnforcement != PolicyEnforcement.Never && _protectionScenario != ProtectionScenario.TrustedProxy);
}
public ChannelBinding ChannelBinding
{
get { return _channelBinding; }
}
public bool ShouldCheckServiceBinding
{
get { return _checkServiceBinding; }
}
public ServiceNameCollection ServiceNameCollection
{
get { return _serviceNameCollection; }
}
public ProtectionScenario ProtectionScenario
{
get { return _protectionScenario; }
}
public PolicyEnforcement PolicyEnforcement
{
get { return _policyEnforcement; }
}
/// <summary>
/// ServiceBinding check has the following logic:
/// 1. Check PolicyEnforcement - never => return true;
/// 1. Check status returned from SecurityContext which is obtained when querying for the serviceBinding
/// 2. Check PolicyEnforcement
/// a. WhenSupported - valid when OS does not support, null serviceBinding is valid
/// b. Always - a non-empty servicebinding must be available
/// 3. if serviceBinding is non null, check that an expected value is in the ServiceNameCollection - ignoring case
/// note that the empty string must be explicitly specified in the serviceNames.
/// </summary>
/// <param name="securityContext to ">status Code returned when obtaining serviceBinding from SecurityContext</param>
/// <returns>If servicebinding is valid</returns>
public void CheckServiceBinding(SafeDeleteContext securityContext, string defaultServiceBinding)
{
if (_policyEnforcement == PolicyEnforcement.Never)
{
return;
}
string serviceBinding = null;
int statusCode = SspiWrapper.QuerySpecifiedTarget(securityContext, out serviceBinding);
if (statusCode != (int)SecurityStatus.OK)
{
// only two acceptable non-zero values
// client OS not patched: stausCode == TargetUnknown
// service OS not patched: statusCode == Unsupported
if (statusCode != (int)SecurityStatus.TargetUnknown && statusCode != (int)SecurityStatus.Unsupported)
{
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationNoServiceBinding)));
}
// if policyEnforcement is Always we needed to see a TargetName (SPN)
if (_policyEnforcement == PolicyEnforcement.Always)
{
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationNoServiceBinding)));
}
// in this case we accept because either the client or service is not patched.
if (_policyEnforcement == PolicyEnforcement.WhenSupported)
{
return;
}
// guard against futures, force failure and fix as necessary
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationNoServiceBinding)));
}
switch (_policyEnforcement)
{
case PolicyEnforcement.WhenSupported:
// serviceBinding == null => client is not patched
if (serviceBinding == null)
return;
break;
case PolicyEnforcement.Always:
// serviceBinding == null => client is not patched
// serviceBinding == "" => SB was not specified
if (string.IsNullOrEmpty(serviceBinding))
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationServiceBindingNotMatched, string.Empty)));
break;
}
// iff no values were 'user' set, then check the defaultServiceBinding
if (_serviceNameCollection == null || _serviceNameCollection.Count < 1)
{
if (defaultServiceBinding == null)
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationServiceBindingNotMatched, string.Empty)));
if (string.Compare(defaultServiceBinding, serviceBinding, StringComparison.OrdinalIgnoreCase) == 0)
return;
if (string.IsNullOrEmpty(serviceBinding))
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationServiceBindingNotMatched, string.Empty)));
else
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationServiceBindingNotMatched, serviceBinding)));
}
if (_serviceNameCollection != null)
{
if (_serviceNameCollection.Contains(serviceBinding))
{
return;
}
}
if (string.IsNullOrEmpty(serviceBinding))
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationServiceBindingNotMatched, string.Empty)));
else
throw DiagnosticUtility.ExceptionUtility.ThrowHelperError(new SecurityTokenException(SR.GetString(SR.InvalidServiceBindingInSspiNegotiationServiceBindingNotMatched, serviceBinding)));
}
/// <summary>
/// Keep this in sync with \System\ServiceModel\Channels\ChannelBindingUtility.cs
/// </summary>
public static ExtendedProtectionPolicy DefaultPolicy
{ //
//keep the default in sync with : static class System.ServiceModel.Channels.ChannelBindingUtility
//we can't use these defaults as IdentityModel cannot take a dependency on ServiceModel
//
// Current POR is "Never" respect the above note.
get { return disabledPolicy; }
}
}
static class EmptyReadOnlyCollection<T>
{
public static ReadOnlyCollection<T> Instance = new ReadOnlyCollection<T>(new List<T>());
}
}
| 41.376458 | 205 | 0.566123 | [
"MIT"
] | MattFullerIO/referencesource | System.IdentityModel/System/IdentityModel/SecurityUtils.cs | 39,018 | C# |
//===================================================================================
// Microsoft patterns & practices
// Composite Application Guidance for Windows Presentation Foundation and Silverlight
//===================================================================================
// Copyright (c) Microsoft Corporation. All rights reserved.
// THIS CODE AND INFORMATION IS PROVIDED "AS IS" WITHOUT WARRANTY
// OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING BUT NOT
// LIMITED TO THE IMPLIED WARRANTIES OF MERCHANTABILITY AND
// FITNESS FOR A PARTICULAR PURPOSE.
//===================================================================================
// The example companies, organizations, products, domain names,
// e-mail addresses, logos, people, places, and events depicted
// herein are fictitious. No association with any real company,
// organization, product, domain name, email address, logo, person,
// places, or events is intended or should be inferred.
//===================================================================================
using Microsoft.Practices.Composite.Modularity;
using Microsoft.Practices.Composite.Regions;
namespace Modules.ModuleA
{
public class ModuleA : IModule
{
private readonly IRegionManager regionManager;
public ModuleA(IRegionManager regionManager)
{
this.regionManager = regionManager;
}
public void Initialize()
{
this.regionManager.Regions["MainRegion"].Add(new DefaultViewA());
}
}
}
| 41.891892 | 85 | 0.566452 | [
"Apache-2.0"
] | andrewdbond/CompositeWPF | sourceCode/compositewpf/V2.2/trunk/Quickstarts/Modularity/DefiningModulesInCodeQuickstart/Silverlight/Modules/ModuleA/ModuleA.cs | 1,550 | C# |
using System.Xml.Serialization;
namespace PS.Build.Nuget.Shared.Sources
{
[XmlRoot("metadata")]
public class NugetEncryptionMetadata
{
#region Properties
[XmlElement("certificate")]
public string Certificate { get; set; }
[XmlElement("key")]
public string Key { get; set; }
[XmlElement("id")]
public string ID { get; set; }
#endregion
}
} | 20.190476 | 47 | 0.591981 | [
"MIT"
] | BlackGad/PS.Build.Nuget | PS.Build.Nuget.Shared/Sources/NugetEncryptionConfiguration/NugetEncryptionMetadata.cs | 426 | C# |
// Copyright (c) Microsoft. All Rights Reserved. Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information.
using Microsoft.VisualStudio.Debugger.Evaluation.ClrCompilation;
namespace Microsoft.CodeAnalysis.ExpressionEvaluator
{
/// <summary>
/// The name of a local or argument and the name of
/// the corresponding method to access that object.
/// </summary>
internal abstract class LocalAndMethod
{
public readonly string LocalName;
public readonly string LocalDisplayName;
public readonly string MethodName;
public readonly DkmClrCompilationResultFlags Flags;
public LocalAndMethod(string localName, string localDisplayName, string methodName, DkmClrCompilationResultFlags flags)
{
this.LocalName = localName;
this.LocalDisplayName = localDisplayName;
this.MethodName = methodName;
this.Flags = flags;
}
public abstract CustomTypeInfo GetCustomTypeInfo();
}
}
| 36.586207 | 160 | 0.70311 | [
"Apache-2.0"
] | 0x53A/roslyn | src/ExpressionEvaluator/Core/Source/ExpressionCompiler/LocalAndMethod.cs | 1,061 | C# |
// <auto-generated>
// 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.
// </auto-generated>
namespace Microsoft.Azure.Management.StreamAnalytics
{
using Microsoft.Rest;
using Microsoft.Rest.Azure;
using Models;
using System.Collections;
using System.Collections.Generic;
using System.Threading;
using System.Threading.Tasks;
/// <summary>
/// FunctionsOperations operations.
/// </summary>
public partial interface IFunctionsOperations
{
/// <summary>
/// Creates a function or replaces an already existing function under
/// an existing streaming job.
/// </summary>
/// <param name='function'>
/// The definition of the function that will be used to create a new
/// function or replace the existing one under the streaming job.
/// </param>
/// <param name='resourceGroupName'>
/// The name of the resource group. The name is case insensitive.
/// </param>
/// <param name='jobName'>
/// The name of the streaming job.
/// </param>
/// <param name='functionName'>
/// The name of the function.
/// </param>
/// <param name='ifMatch'>
/// The ETag of the function. Omit this value to always overwrite the
/// current function. Specify the last-seen ETag value to prevent
/// accidentally overwriting concurrent changes.
/// </param>
/// <param name='ifNoneMatch'>
/// Set to '*' to allow a new function to be created, but to prevent
/// updating an existing function. Other values will result in a 412
/// Pre-condition Failed response.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse<Function,FunctionsCreateOrReplaceHeaders>> CreateOrReplaceWithHttpMessagesAsync(Function function, string resourceGroupName, string jobName, string functionName, string ifMatch = default(string), string ifNoneMatch = default(string), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Updates an existing function under an existing streaming job. This
/// can be used to partially update (ie. update one or two properties)
/// a function without affecting the rest the job or function
/// definition.
/// </summary>
/// <param name='function'>
/// A function object. The properties specified here will overwrite the
/// corresponding properties in the existing function (ie. Those
/// properties will be updated). Any properties that are set to null
/// here will mean that the corresponding property in the existing
/// function will remain the same and not change as a result of this
/// PATCH operation.
/// </param>
/// <param name='resourceGroupName'>
/// The name of the resource group. The name is case insensitive.
/// </param>
/// <param name='jobName'>
/// The name of the streaming job.
/// </param>
/// <param name='functionName'>
/// The name of the function.
/// </param>
/// <param name='ifMatch'>
/// The ETag of the function. Omit this value to always overwrite the
/// current function. Specify the last-seen ETag value to prevent
/// accidentally overwriting concurrent changes.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse<Function,FunctionsUpdateHeaders>> UpdateWithHttpMessagesAsync(Function function, string resourceGroupName, string jobName, string functionName, string ifMatch = default(string), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Deletes a function from the streaming job.
/// </summary>
/// <param name='resourceGroupName'>
/// The name of the resource group. The name is case insensitive.
/// </param>
/// <param name='jobName'>
/// The name of the streaming job.
/// </param>
/// <param name='functionName'>
/// The name of the function.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse> DeleteWithHttpMessagesAsync(string resourceGroupName, string jobName, string functionName, Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Gets details about the specified function.
/// </summary>
/// <param name='resourceGroupName'>
/// The name of the resource group. The name is case insensitive.
/// </param>
/// <param name='jobName'>
/// The name of the streaming job.
/// </param>
/// <param name='functionName'>
/// The name of the function.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse<Function,FunctionsGetHeaders>> GetWithHttpMessagesAsync(string resourceGroupName, string jobName, string functionName, Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Lists all of the functions under the specified streaming job.
/// </summary>
/// <param name='resourceGroupName'>
/// The name of the resource group. The name is case insensitive.
/// </param>
/// <param name='jobName'>
/// The name of the streaming job.
/// </param>
/// <param name='select'>
/// The $select OData query parameter. This is a comma-separated list
/// of structural properties to include in the response, or "*" to
/// include all properties. By default, all properties are returned
/// except diagnostics. Currently only accepts '*' as a valid value.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse<IPage<Function>>> ListByStreamingJobWithHttpMessagesAsync(string resourceGroupName, string jobName, string select = default(string), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Tests if the information provided for a function is valid. This can
/// range from testing the connection to the underlying web service
/// behind the function or making sure the function code provided is
/// syntactically correct.
/// </summary>
/// <param name='resourceGroupName'>
/// The name of the resource group. The name is case insensitive.
/// </param>
/// <param name='jobName'>
/// The name of the streaming job.
/// </param>
/// <param name='functionName'>
/// The name of the function.
/// </param>
/// <param name='function'>
/// If the function specified does not already exist, this parameter
/// must contain the full function definition intended to be tested. If
/// the function specified already exists, this parameter can be left
/// null to test the existing function as is or if specified, the
/// properties specified will overwrite the corresponding properties in
/// the existing function (exactly like a PATCH operation) and the
/// resulting function will be tested.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse<ResourceTestStatus>> TestWithHttpMessagesAsync(string resourceGroupName, string jobName, string functionName, Function function = default(Function), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Retrieves the default definition of a function based on the
/// parameters specified.
/// </summary>
/// <param name='resourceGroupName'>
/// The name of the resource group. The name is case insensitive.
/// </param>
/// <param name='jobName'>
/// The name of the streaming job.
/// </param>
/// <param name='functionName'>
/// The name of the function.
/// </param>
/// <param name='functionRetrieveDefaultDefinitionParameters'>
/// Parameters used to specify the type of function to retrieve the
/// default definition for.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse<Function>> RetrieveDefaultDefinitionWithHttpMessagesAsync(string resourceGroupName, string jobName, string functionName, FunctionRetrieveDefaultDefinitionParameters functionRetrieveDefaultDefinitionParameters = default(FunctionRetrieveDefaultDefinitionParameters), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Tests if the information provided for a function is valid. This can
/// range from testing the connection to the underlying web service
/// behind the function or making sure the function code provided is
/// syntactically correct.
/// </summary>
/// <param name='resourceGroupName'>
/// The name of the resource group. The name is case insensitive.
/// </param>
/// <param name='jobName'>
/// The name of the streaming job.
/// </param>
/// <param name='functionName'>
/// The name of the function.
/// </param>
/// <param name='function'>
/// If the function specified does not already exist, this parameter
/// must contain the full function definition intended to be tested. If
/// the function specified already exists, this parameter can be left
/// null to test the existing function as is or if specified, the
/// properties specified will overwrite the corresponding properties in
/// the existing function (exactly like a PATCH operation) and the
/// resulting function will be tested.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse<ResourceTestStatus>> BeginTestWithHttpMessagesAsync(string resourceGroupName, string jobName, string functionName, Function function = default(Function), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Lists all of the functions under the specified streaming job.
/// </summary>
/// <param name='nextPageLink'>
/// The NextLink from the previous successful call to List operation.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="ErrorException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<AzureOperationResponse<IPage<Function>>> ListByStreamingJobNextWithHttpMessagesAsync(string nextPageLink, Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
}
}
| 50.679641 | 422 | 0.62935 | [
"MIT"
] | 93mishra/azure-sdk-for-net | sdk/streamanalytics/Microsoft.Azure.Management.StreamAnalytics/src/Generated/IFunctionsOperations.cs | 16,927 | C# |
//-----------------------------------------------------------------------
// <copyright file="FetchClimateView.cs" company="Microsoft Corporation">
// Copyright (c) Microsoft Corporation 2011. All rights reserved.
// Interaction logic for FetchClimateView.xaml.
// </copyright>
//-----------------------------------------------------------------------
using System.Windows;
using System;
namespace Microsoft.Research.Wwt.Excel.Addin
{
/// <summary>
/// Interaction logic for FetchClimateView.xaml.
/// </summary>
public partial class FetchClimateView : Window
{
/// <summary>
/// Default constuctor.
/// </summary>
public FetchClimateView()
{
InitializeComponent();
}
/// <summary>
/// Dialog close event handler.
/// </summary>
/// <param name="sender">Sender object.</param>
/// <param name="e">Event arguments.</param>
internal void OnRequestClose(object sender, EventArgs e)
{
this.Close();
}
}
}
| 29.081081 | 74 | 0.506506 | [
"MIT"
] | WorldWideTelescope/wwt-excel-plugin | AddIn/ViewpointPanes/FetchClimateView.xaml.cs | 1,078 | C# |
/* --------------------------------------------------------------------------
THIS FILE WAS AUTOMATICALLY GENERATED BY NLT SUITE FROM "NaiveLanguageTools.Example/02.PatternsAndForking/Syntax.nlg" FILE
-------------------------------------------------------------------------- */
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using NaiveLanguageTools.Common;
using NaiveLanguageTools.Parser;
using NaiveLanguageTools.Parser.Automaton;
using NaiveLanguageTools.Parser.Symbols;
using NaiveLanguageTools.Lexer;
using NaiveLanguageTools.MultiRegex.Dfa;
namespace NaiveLanguageTools.Example.PatternsAndForking
{
public partial class ParserFactory
{
public static void createEdges0(int[,] __edges_table__)
{
__edges_table__[0,7] = 1;
__edges_table__[0,8] = 2;
__edges_table__[1,2] = 4;
__edges_table__[1,3] = 3;
__edges_table__[1,4] = 5;
__edges_table__[1,5] = 6;
__edges_table__[3,7] = 7;
__edges_table__[3,8] = 2;
__edges_table__[4,7] = 8;
__edges_table__[4,8] = 2;
__edges_table__[5,7] = 9;
__edges_table__[5,8] = 2;
__edges_table__[6,7] = 10;
__edges_table__[6,8] = 2;
__edges_table__[7,2] = 4;
__edges_table__[7,3] = 3;
__edges_table__[7,4] = 5;
__edges_table__[7,5] = 6;
__edges_table__[8,2] = 4;
__edges_table__[8,3] = 3;
__edges_table__[8,4] = 5;
__edges_table__[8,5] = 6;
__edges_table__[9,2] = 4;
__edges_table__[9,3] = 3;
__edges_table__[9,4] = 5;
__edges_table__[9,5] = 11;
__edges_table__[10,2] = 4;
__edges_table__[10,3] = 3;
__edges_table__[10,4] = 5;
__edges_table__[10,5] = 6;
__edges_table__[11,7] = 10;
__edges_table__[11,8] = 2;
}
public static IEnumerable<NfaCell<SymbolEnum, object>>[,] createRecoveryTable()
{
var __recovery_table__ = new IEnumerable<NfaCell<SymbolEnum,object>>[12,9];
return __recovery_table__;
}
public static StringRep<SymbolEnum> createSymbolsRep()
{
var symbols_rep = StringRep.Create(Tuple.Create(SymbolEnum.Error,"Error"),
Tuple.Create(SymbolEnum.EOF,"EOF"),
Tuple.Create(SymbolEnum.PLUS,"PLUS"),
Tuple.Create(SymbolEnum.MINUS,"MINUS"),
Tuple.Create(SymbolEnum.LANGLE,"LANGLE"),
Tuple.Create(SymbolEnum.RANGLE,"RANGLE"),
Tuple.Create(SymbolEnum.comp,"comp"),
Tuple.Create(SymbolEnum.expr,"expr"),
Tuple.Create(SymbolEnum.NUM,"NUM"));
return symbols_rep;
}
public Parser<SymbolEnum,object> CreateParser()
{
Parser<SymbolEnum,object> parser = null;
// Identity functions (x => x) are used directly without storing them in `functions` variables
var __functions_0__ = new Func<object,object>((x) => x); // comp
var __functions_1__ = new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => pair(e1.Item1 - e2.Item1, "("+e1.Item2+" - "+e2.Item2+")")); // expr
var __functions_2__ = new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => pair(e1.Item1 + e2.Item1, "("+e1.Item2+" + "+e2.Item2+")")); // expr
var __functions_3__ = new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => pair(e1.Item1 << e2.Item1, "("+e1.Item2+" < "+e2.Item2+")")); // expr
var __functions_4__ = new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => pair(e1.Item1 >> e2.Item1, "("+e1.Item2+" > "+e2.Item2+")")); // expr
var __functions_5__ = new Func<Tuple<int,string>,object,Tuple<int,string>,object,object>((e1,_1,e2,_3) => pair((e1.Item1 & (1 << e2.Item1)) >> e2.Item1, "("+e1.Item2+"["+e2.Item2+"])")); // expr
var __functions_6__ = new Func<int,object>((n) => pair(n, n)); // expr
var __actions_table__ = new IEnumerable<ParseAction<SymbolEnum,object>>[12,9];__actions_table__[0,8] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(true)};__actions_table__[1,1] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(false,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.comp,
1,
null,
-1,
"Action for \"comp\" at (58,9)",
null,
ProductionAction<object>.Convert(new Func<Tuple<int,string>,object>((e) => __functions_0__(e)),0))
))};__actions_table__[2,1] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(false,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.expr,
1,
null,
-1,
"Action for \"expr\" at (70,10)",
null,
ProductionAction<object>.Convert(new Func<int,object>((n) => __functions_6__(n)),0))
))};__actions_table__[7,1] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(false,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.expr,
3,
null,
-1,
"Action for \"expr\" at (60,10)",
null,
ProductionAction<object>.Convert(new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => __functions_1__(e1,_1,e2)),0))
))};__actions_table__[8,1] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(false,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.expr,
3,
null,
-1,
"Action for \"expr\" at (62,14)",
null,
ProductionAction<object>.Convert(new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => __functions_2__(e1,_1,e2)),0))
))};__actions_table__[9,1] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(false,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.expr,
3,
null,
0,
"Action for \"expr\" at (64,10)",
new []{new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{0,1})},
ProductionAction<object>.Convert(new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => __functions_3__(e1,_1,e2)),0))
))};__actions_table__[9,4] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(true,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.expr,
3,
null,
0,
"Action for \"expr\" at (64,10)",
new []{new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{0,1})},
ProductionAction<object>.Convert(new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => __functions_3__(e1,_1,e2)),0))
))};__actions_table__[10,1] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(false,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.expr,
3,
null,
1,
"Action for \"expr\" at (66,10)",
new []{new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{0,1})},
ProductionAction<object>.Convert(new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => __functions_4__(e1,_1,e2)),0))
))};__actions_table__[10,4] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(true,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.expr,
3,
null,
1,
"Action for \"expr\" at (66,10)",
new []{new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{0,1})},
ProductionAction<object>.Convert(new Func<Tuple<int,string>,object,Tuple<int,string>,object>((e1,_1,e2) => __functions_4__(e1,_1,e2)),0))
))};__actions_table__[11,1] = new ParseAction<SymbolEnum,object>[]{new ParseAction<SymbolEnum,object>(false,ReductionAction.Create(NfaCell<SymbolEnum,object>.Create(
SymbolEnum.expr,
4,
null,
-1,
"Action for \"expr\" at (68,10)",
new []{new HashSet<int>(new int[]{0,1}),new HashSet<int>(new int[]{}),new HashSet<int>(new int[]{0}),new HashSet<int>(new int[]{})},
ProductionAction<object>.Convert(new Func<Tuple<int,string>,object,Tuple<int,string>,object,object>((e1,_1,e2,_3) => __functions_5__(e1,_1,e2,_3)),0))
))};
actionsTableDuplicates0(__actions_table__);
var __edges_table__ = ActionTableData<SymbolEnum,object>.CreateEdgesTable(12,9);
createEdges0(__edges_table__);
var __recovery_table__ = createRecoveryTable();
var symbols_rep = createSymbolsRep();
parser = new Parser<SymbolEnum,object>(new ActionTableData<SymbolEnum,object>(
actionsTable:__actions_table__,edgesTable:__edges_table__,recoveryTable:__recovery_table__,startSymbol:SymbolEnum.comp,eofSymbol:SymbolEnum.EOF,syntaxErrorSymbol:SymbolEnum.Error,lookaheadWidth:1),symbols_rep);
return parser;
}
public static void actionsTableDuplicates0(IEnumerable<ParseAction<SymbolEnum,object>>[,] __actions_table__)
{
__actions_table__[1,2] = __actions_table__[0,8];
__actions_table__[1,3] = __actions_table__[0,8];
__actions_table__[1,4] = __actions_table__[0,8];
__actions_table__[1,5] = __actions_table__[0,8];
__actions_table__[2,2] = __actions_table__[2,1];
__actions_table__[2,3] = __actions_table__[2,1];
__actions_table__[2,4] = __actions_table__[2,1];
__actions_table__[2,5] = __actions_table__[2,1];
__actions_table__[3,8] = __actions_table__[0,8];
__actions_table__[4,8] = __actions_table__[0,8];
__actions_table__[5,8] = __actions_table__[0,8];
__actions_table__[6,8] = __actions_table__[0,8];
__actions_table__[7,2] = __actions_table__[7,1];
__actions_table__[7,3] = __actions_table__[7,1];
__actions_table__[7,4] = __actions_table__[0,8];
__actions_table__[7,5] = __actions_table__[0,8];
__actions_table__[8,2] = __actions_table__[8,1];
__actions_table__[8,3] = __actions_table__[8,1];
__actions_table__[8,4] = __actions_table__[0,8];
__actions_table__[8,5] = __actions_table__[0,8];
__actions_table__[9,2] = __actions_table__[9,1];
__actions_table__[9,3] = __actions_table__[9,1];
__actions_table__[9,5] = __actions_table__[9,4];
__actions_table__[10,2] = __actions_table__[10,1];
__actions_table__[10,3] = __actions_table__[10,1];
__actions_table__[10,5] = __actions_table__[10,4];
__actions_table__[11,2] = __actions_table__[11,1];
__actions_table__[11,3] = __actions_table__[11,1];
__actions_table__[11,4] = __actions_table__[11,1];
__actions_table__[11,5] = __actions_table__[11,1];
__actions_table__[11,8] = __actions_table__[0,8];
}
}
}
| 47 | 342 | 0.736754 | [
"MIT"
] | macias/NaiveLanguageTools | NaiveLanguageTools.Example/02.PatternsAndForking/ParserFactory.auto.cs | 9,588 | C# |
using System;
using System.Runtime.CompilerServices;
using CUE4Parse.UE4.Assets.Readers;
using CUE4Parse.UE4.Objects.Core.Misc;
using CUE4Parse.UE4.Objects.Engine.Curves;
using CUE4Parse.UE4.Versions;
namespace CUE4Parse.UE4.Objects.MovieScene
{
public readonly struct FMovieSceneFloatChannel : IUStruct
{
public readonly ERichCurveExtrapolation PreInfinityExtrap;
public readonly ERichCurveExtrapolation PostInfinityExtrap;
public readonly FFrameNumber[] Times;
public readonly FMovieSceneFloatValue[] Values;
public readonly float DefaultValue;
public readonly bool bHasDefaultValue; // 4 bytes
public readonly FFrameRate TickResolution;
public readonly bool bShowCurve;
public FMovieSceneFloatChannel(FAssetArchive Ar)
{
// if (FSequencerObjectVersion.Get(Ar) < FSequencerObjectVersion.Type.SerializeFloatChannelCompletely &&
// FFortniteMainBranchObjectVersion.Get(Ar) < FFortniteMainBranchObjectVersion.Type.SerializeFloatChannelShowCurve)
// {
// return;
// }
PreInfinityExtrap = Ar.Read<ERichCurveExtrapolation>();
PostInfinityExtrap = Ar.Read<ERichCurveExtrapolation>();
var CurrentSerializedElementSize = Unsafe.SizeOf<FFrameNumber>();
var SerializedElementSize = Ar.Read<int>();
if (SerializedElementSize == CurrentSerializedElementSize)
{
Times = Ar.ReadArray<FFrameNumber>();
}
else
{
var ArrayNum = Ar.Read<int>();
if (ArrayNum > 0)
{
var padding = SerializedElementSize - CurrentSerializedElementSize;
Times = new FFrameNumber[ArrayNum];
for (var i = 0; i < ArrayNum; i++)
{
Ar.Position += padding;
Times[i] = Ar.Read<FFrameNumber>();
//Ar.Position += padding; TODO check this
}
}
else
{
Times = Array.Empty<FFrameNumber>();
}
}
CurrentSerializedElementSize = Unsafe.SizeOf<FMovieSceneFloatValue>();
SerializedElementSize = Ar.Read<int>();
if (SerializedElementSize == CurrentSerializedElementSize)
{
Values = Ar.ReadArray<FMovieSceneFloatValue>();
}
else
{
var ArrayNum = Ar.Read<int>();
if (ArrayNum > 0)
{
var padding = SerializedElementSize - CurrentSerializedElementSize;
Values = new FMovieSceneFloatValue[ArrayNum];
for (var i = 0; i < ArrayNum; i++)
{
Ar.Position += padding;
Values[i] = Ar.Read<FMovieSceneFloatValue>();
//Ar.Position += padding; TODO check this
}
}
else
{
Values = Array.Empty<FMovieSceneFloatValue>();
}
}
DefaultValue = Ar.Read<float>();
bHasDefaultValue = Ar.ReadBoolean();
TickResolution = Ar.Read<FFrameRate>();
bShowCurve = FFortniteMainBranchObjectVersion.Get(Ar) >= FFortniteMainBranchObjectVersion.Type.SerializeFloatChannelShowCurve && Ar.ReadBoolean(); // bShowCurve should still only be assigned while in editor
}
}
} | 38.197917 | 218 | 0.552495 | [
"MIT"
] | Mrzzbelladonna/ProSwapper | CUE4Parse/CUE4Parse/UE4/Objects/MovieScene/FMovieSceneFloatChannel.cs | 3,669 | C# |
using System;
using System.IO;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Mvc;
using Microsoft.Azure.WebJobs;
using Microsoft.Azure.WebJobs.Extensions.Http;
using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.Logging;
using Newtonsoft.Json;
namespace haroldjose.Function
{
public static class HttpTriggerCSharp
{
[FunctionName("HttpTriggerCSharp")]
public static async Task<IActionResult> Run([HttpTrigger(AuthorizationLevel.Function, "get", "post", Route = null)] HttpRequest req, ILogger log)
{
log.LogInformation("C# HTTP trigger function processed a request.");
string name = req.Query["name"];
string requestBody = await new StreamReader(req.Body).ReadToEndAsync();
dynamic data = JsonConvert.DeserializeObject(requestBody);
name = name ?? data?.name;
return name != null
? (ActionResult)new OkObjectResult($"Hello, {name}")
: new BadRequestObjectResult("Please pass a name on the query string or in the request body");
}
}
}
| 35.5 | 154 | 0.660211 | [
"MIT"
] | haroldjose30/haroldjosefunction | HttpTriggerCSharp.cs | 1,136 | C# |
using Crash;
using System.Windows.Forms;
namespace CrashEdit
{
public sealed class OldSLSTDeltaBox : UserControl
{
private ListBox lstValues;
public OldSLSTDeltaBox(OldSLSTDelta slstitem)
{
lstValues = new ListBox
{
Dock = DockStyle.Fill
};
lstValues.Items.Add(string.Format("Type: {0}",1));
lstValues.Items.Add(string.Format("Remove Nodes: {0}",slstitem.RemoveNodes.Count));
lstValues.Items.Add(string.Format("Add Nodes: {0}",slstitem.AddNodes.Count));
lstValues.Items.Add(string.Format("Swap Nodes: {0}",slstitem.SwapNodes.Count));
Controls.Add(lstValues);
}
}
}
| 30.125 | 95 | 0.600277 | [
"MIT",
"BSD-3-Clause"
] | AraHaan/CrashEd | CrashEdit/Controls/OldSLSTDeltaBox.cs | 723 | C# |
namespace PertensaCo.Common.Constants
{
public static class MVCConstants
{
public const string ConfirmEmailTemplatePath = "/Templates/ConfirmEmailTemplate.html";
public const string ControllerActionRouteTemplate = "[controller]/[action]";
public const string EmployeesAuthorizationPolicyName = "EmployeesOnly";
public const string ErrorViewRoute = "/Error";
public const string ForbiddenViewRoute = "/Forbidden";
public const string HumanResourcesAuthorizationPolicyName = "HROnly";
public const string InformationTechnologiesAuthorizationPolicyName = "ITOnly";
public const string LoginViewRoute = "/SignIn";
public const string LogisticsAuthorizationPolicyName = "LnPOnly";
public const string LogoutViewRoute = "/SignOut";
public const int ModelMaxValidationErrors = 16;
public const string PersonnelDataRoot = "/Areas/Personnel/Dossiers";
public const string ResetPasswordTemplatePath = "/Templates/ResetPasswordTemplate.html";
public const string RoleAdministratorsAuthorizationPolicyName = "RoleAdminsOnly";
public const string ScientistsAuthorizationPolicyName = "RnDOnly";
public const string UserAlreadyInRoleErrorCode = "UserAlreadyInRole";
public const int ViewMaxStatusMessageLines = 8;
public const string WebUsersAuthorizationPolicyName = "WebUsersOnly";
}
}
| 52.52 | 90 | 0.809596 | [
"MIT"
] | AscenKeeprov/CSharp-MVC-Frameworks | XAM10012019/PertensaCo.Common/Constants/MVCConstants.cs | 1,315 | C# |
using System;
using System.Collections.Generic;
using System.Xml.Serialization;
namespace SyntaxGenerator.Model
{
public class Field
{
[XmlAttribute]
public string Name;
[XmlAttribute]
public string Type;
[XmlAttribute]
public string Optional;
[XmlAttribute]
public string Override;
[XmlAttribute]
public string New;
[XmlAttribute]
public string Abstract;
[XmlAttribute]
public string Derived;
[XmlElement(ElementName = "Kind", Type = typeof(Kind))]
public List<Kind> Kinds;
[XmlElement]
public Comment PropertyComment;
[XmlElement(ElementName = "Getter", Type = typeof(Field))]
public List<Field> Getters;
}
}
| 20.825 | 67 | 0.578631 | [
"Apache-2.0"
] | BigHeadGift/HLSL | src/SyntaxGenerator/Model/Field.cs | 796 | C# |
// Copyright 2021 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.
// Generated code. DO NOT EDIT!
using gagve = Google.Ads.GoogleAds.V4.Enums;
using gagvr = Google.Ads.GoogleAds.V4.Resources;
using gaxgrpc = Google.Api.Gax.Grpc;
using grpccore = Grpc.Core;
using moq = Moq;
using st = System.Threading;
using stt = System.Threading.Tasks;
using NUnit.Framework;
using Google.Ads.GoogleAds.V4.Services;
namespace Google.Ads.GoogleAds.Tests.V4.Services
{
/// <summary>Generated unit tests.</summary>
public sealed class GeneratedCustomerServiceClientTest
{
[Category("Smoke")][Test]
public void GetCustomerRequestObject()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
GetCustomerRequest request = new GetCustomerRequest
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
};
gagvr::Customer expectedResponse = new gagvr::Customer
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
Id = -6774108720365892680L,
DescriptiveName = "descriptive_nameee37a0bc",
CurrencyCode = "currency_code7f81e352",
TimeZone = "time_zone73f23b20",
TrackingUrlTemplate = "tracking_url_template157f152a",
AutoTaggingEnabled = true,
HasPartnersBadge = true,
CallReportingSetting = new gagvr::CallReportingSetting(),
FinalUrlSuffix = "final_url_suffix046ed37a",
Manager = false,
TestAccount = true,
ConversionTrackingSetting = new gagvr::ConversionTrackingSetting(),
RemarketingSetting = new gagvr::RemarketingSetting(),
PayPerConversionEligibilityFailureReasons =
{
gagve::CustomerPayPerConversionEligibilityFailureReasonEnum.Types.CustomerPayPerConversionEligibilityFailureReason.HasCampaignWithSharedBudget,
},
OptimizationScore = -4.7741588361660064E+17,
};
mockGrpcClient.Setup(x => x.GetCustomer(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(expectedResponse);
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
gagvr::Customer response = client.GetCustomer(request);
Assert.AreEqual(expectedResponse, response);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public async stt::Task GetCustomerRequestObjectAsync()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
GetCustomerRequest request = new GetCustomerRequest
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
};
gagvr::Customer expectedResponse = new gagvr::Customer
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
Id = -6774108720365892680L,
DescriptiveName = "descriptive_nameee37a0bc",
CurrencyCode = "currency_code7f81e352",
TimeZone = "time_zone73f23b20",
TrackingUrlTemplate = "tracking_url_template157f152a",
AutoTaggingEnabled = true,
HasPartnersBadge = true,
CallReportingSetting = new gagvr::CallReportingSetting(),
FinalUrlSuffix = "final_url_suffix046ed37a",
Manager = false,
TestAccount = true,
ConversionTrackingSetting = new gagvr::ConversionTrackingSetting(),
RemarketingSetting = new gagvr::RemarketingSetting(),
PayPerConversionEligibilityFailureReasons =
{
gagve::CustomerPayPerConversionEligibilityFailureReasonEnum.Types.CustomerPayPerConversionEligibilityFailureReason.HasCampaignWithSharedBudget,
},
OptimizationScore = -4.7741588361660064E+17,
};
mockGrpcClient.Setup(x => x.GetCustomerAsync(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(new grpccore::AsyncUnaryCall<gagvr::Customer>(stt::Task.FromResult(expectedResponse), null, null, null, null));
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
gagvr::Customer responseCallSettings = await client.GetCustomerAsync(request, gaxgrpc::CallSettings.FromCancellationToken(st::CancellationToken.None));
Assert.AreEqual(expectedResponse, responseCallSettings);
gagvr::Customer responseCancellationToken = await client.GetCustomerAsync(request, st::CancellationToken.None);
Assert.AreEqual(expectedResponse, responseCancellationToken);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public void GetCustomer()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
GetCustomerRequest request = new GetCustomerRequest
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
};
gagvr::Customer expectedResponse = new gagvr::Customer
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
Id = -6774108720365892680L,
DescriptiveName = "descriptive_nameee37a0bc",
CurrencyCode = "currency_code7f81e352",
TimeZone = "time_zone73f23b20",
TrackingUrlTemplate = "tracking_url_template157f152a",
AutoTaggingEnabled = true,
HasPartnersBadge = true,
CallReportingSetting = new gagvr::CallReportingSetting(),
FinalUrlSuffix = "final_url_suffix046ed37a",
Manager = false,
TestAccount = true,
ConversionTrackingSetting = new gagvr::ConversionTrackingSetting(),
RemarketingSetting = new gagvr::RemarketingSetting(),
PayPerConversionEligibilityFailureReasons =
{
gagve::CustomerPayPerConversionEligibilityFailureReasonEnum.Types.CustomerPayPerConversionEligibilityFailureReason.HasCampaignWithSharedBudget,
},
OptimizationScore = -4.7741588361660064E+17,
};
mockGrpcClient.Setup(x => x.GetCustomer(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(expectedResponse);
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
gagvr::Customer response = client.GetCustomer(request.ResourceName);
Assert.AreEqual(expectedResponse, response);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public async stt::Task GetCustomerAsync()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
GetCustomerRequest request = new GetCustomerRequest
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
};
gagvr::Customer expectedResponse = new gagvr::Customer
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
Id = -6774108720365892680L,
DescriptiveName = "descriptive_nameee37a0bc",
CurrencyCode = "currency_code7f81e352",
TimeZone = "time_zone73f23b20",
TrackingUrlTemplate = "tracking_url_template157f152a",
AutoTaggingEnabled = true,
HasPartnersBadge = true,
CallReportingSetting = new gagvr::CallReportingSetting(),
FinalUrlSuffix = "final_url_suffix046ed37a",
Manager = false,
TestAccount = true,
ConversionTrackingSetting = new gagvr::ConversionTrackingSetting(),
RemarketingSetting = new gagvr::RemarketingSetting(),
PayPerConversionEligibilityFailureReasons =
{
gagve::CustomerPayPerConversionEligibilityFailureReasonEnum.Types.CustomerPayPerConversionEligibilityFailureReason.HasCampaignWithSharedBudget,
},
OptimizationScore = -4.7741588361660064E+17,
};
mockGrpcClient.Setup(x => x.GetCustomerAsync(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(new grpccore::AsyncUnaryCall<gagvr::Customer>(stt::Task.FromResult(expectedResponse), null, null, null, null));
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
gagvr::Customer responseCallSettings = await client.GetCustomerAsync(request.ResourceName, gaxgrpc::CallSettings.FromCancellationToken(st::CancellationToken.None));
Assert.AreEqual(expectedResponse, responseCallSettings);
gagvr::Customer responseCancellationToken = await client.GetCustomerAsync(request.ResourceName, st::CancellationToken.None);
Assert.AreEqual(expectedResponse, responseCancellationToken);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public void GetCustomerResourceNames()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
GetCustomerRequest request = new GetCustomerRequest
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
};
gagvr::Customer expectedResponse = new gagvr::Customer
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
Id = -6774108720365892680L,
DescriptiveName = "descriptive_nameee37a0bc",
CurrencyCode = "currency_code7f81e352",
TimeZone = "time_zone73f23b20",
TrackingUrlTemplate = "tracking_url_template157f152a",
AutoTaggingEnabled = true,
HasPartnersBadge = true,
CallReportingSetting = new gagvr::CallReportingSetting(),
FinalUrlSuffix = "final_url_suffix046ed37a",
Manager = false,
TestAccount = true,
ConversionTrackingSetting = new gagvr::ConversionTrackingSetting(),
RemarketingSetting = new gagvr::RemarketingSetting(),
PayPerConversionEligibilityFailureReasons =
{
gagve::CustomerPayPerConversionEligibilityFailureReasonEnum.Types.CustomerPayPerConversionEligibilityFailureReason.HasCampaignWithSharedBudget,
},
OptimizationScore = -4.7741588361660064E+17,
};
mockGrpcClient.Setup(x => x.GetCustomer(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(expectedResponse);
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
gagvr::Customer response = client.GetCustomer(request.ResourceNameAsCustomerName);
Assert.AreEqual(expectedResponse, response);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public async stt::Task GetCustomerResourceNamesAsync()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
GetCustomerRequest request = new GetCustomerRequest
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
};
gagvr::Customer expectedResponse = new gagvr::Customer
{
ResourceNameAsCustomerName = gagvr::CustomerName.FromCustomer("[CUSTOMER]"),
Id = -6774108720365892680L,
DescriptiveName = "descriptive_nameee37a0bc",
CurrencyCode = "currency_code7f81e352",
TimeZone = "time_zone73f23b20",
TrackingUrlTemplate = "tracking_url_template157f152a",
AutoTaggingEnabled = true,
HasPartnersBadge = true,
CallReportingSetting = new gagvr::CallReportingSetting(),
FinalUrlSuffix = "final_url_suffix046ed37a",
Manager = false,
TestAccount = true,
ConversionTrackingSetting = new gagvr::ConversionTrackingSetting(),
RemarketingSetting = new gagvr::RemarketingSetting(),
PayPerConversionEligibilityFailureReasons =
{
gagve::CustomerPayPerConversionEligibilityFailureReasonEnum.Types.CustomerPayPerConversionEligibilityFailureReason.HasCampaignWithSharedBudget,
},
OptimizationScore = -4.7741588361660064E+17,
};
mockGrpcClient.Setup(x => x.GetCustomerAsync(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(new grpccore::AsyncUnaryCall<gagvr::Customer>(stt::Task.FromResult(expectedResponse), null, null, null, null));
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
gagvr::Customer responseCallSettings = await client.GetCustomerAsync(request.ResourceNameAsCustomerName, gaxgrpc::CallSettings.FromCancellationToken(st::CancellationToken.None));
Assert.AreEqual(expectedResponse, responseCallSettings);
gagvr::Customer responseCancellationToken = await client.GetCustomerAsync(request.ResourceNameAsCustomerName, st::CancellationToken.None);
Assert.AreEqual(expectedResponse, responseCancellationToken);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public void MutateCustomerRequestObject()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
MutateCustomerRequest request = new MutateCustomerRequest
{
CustomerId = "customer_id3b3724cb",
Operation = new CustomerOperation(),
ValidateOnly = true,
};
MutateCustomerResponse expectedResponse = new MutateCustomerResponse
{
Result = new MutateCustomerResult(),
};
mockGrpcClient.Setup(x => x.MutateCustomer(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(expectedResponse);
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
MutateCustomerResponse response = client.MutateCustomer(request);
Assert.AreEqual(expectedResponse, response);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public async stt::Task MutateCustomerRequestObjectAsync()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
MutateCustomerRequest request = new MutateCustomerRequest
{
CustomerId = "customer_id3b3724cb",
Operation = new CustomerOperation(),
ValidateOnly = true,
};
MutateCustomerResponse expectedResponse = new MutateCustomerResponse
{
Result = new MutateCustomerResult(),
};
mockGrpcClient.Setup(x => x.MutateCustomerAsync(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(new grpccore::AsyncUnaryCall<MutateCustomerResponse>(stt::Task.FromResult(expectedResponse), null, null, null, null));
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
MutateCustomerResponse responseCallSettings = await client.MutateCustomerAsync(request, gaxgrpc::CallSettings.FromCancellationToken(st::CancellationToken.None));
Assert.AreEqual(expectedResponse, responseCallSettings);
MutateCustomerResponse responseCancellationToken = await client.MutateCustomerAsync(request, st::CancellationToken.None);
Assert.AreEqual(expectedResponse, responseCancellationToken);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public void MutateCustomer()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
MutateCustomerRequest request = new MutateCustomerRequest
{
CustomerId = "customer_id3b3724cb",
Operation = new CustomerOperation(),
};
MutateCustomerResponse expectedResponse = new MutateCustomerResponse
{
Result = new MutateCustomerResult(),
};
mockGrpcClient.Setup(x => x.MutateCustomer(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(expectedResponse);
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
MutateCustomerResponse response = client.MutateCustomer(request.CustomerId, request.Operation);
Assert.AreEqual(expectedResponse, response);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public async stt::Task MutateCustomerAsync()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
MutateCustomerRequest request = new MutateCustomerRequest
{
CustomerId = "customer_id3b3724cb",
Operation = new CustomerOperation(),
};
MutateCustomerResponse expectedResponse = new MutateCustomerResponse
{
Result = new MutateCustomerResult(),
};
mockGrpcClient.Setup(x => x.MutateCustomerAsync(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(new grpccore::AsyncUnaryCall<MutateCustomerResponse>(stt::Task.FromResult(expectedResponse), null, null, null, null));
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
MutateCustomerResponse responseCallSettings = await client.MutateCustomerAsync(request.CustomerId, request.Operation, gaxgrpc::CallSettings.FromCancellationToken(st::CancellationToken.None));
Assert.AreEqual(expectedResponse, responseCallSettings);
MutateCustomerResponse responseCancellationToken = await client.MutateCustomerAsync(request.CustomerId, request.Operation, st::CancellationToken.None);
Assert.AreEqual(expectedResponse, responseCancellationToken);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public void ListAccessibleCustomersRequestObject()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
ListAccessibleCustomersRequest request = new ListAccessibleCustomersRequest { };
ListAccessibleCustomersResponse expectedResponse = new ListAccessibleCustomersResponse
{
ResourceNames =
{
"resource_namese9b75273",
},
};
mockGrpcClient.Setup(x => x.ListAccessibleCustomers(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(expectedResponse);
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
ListAccessibleCustomersResponse response = client.ListAccessibleCustomers(request);
Assert.AreEqual(expectedResponse, response);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public async stt::Task ListAccessibleCustomersRequestObjectAsync()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
ListAccessibleCustomersRequest request = new ListAccessibleCustomersRequest { };
ListAccessibleCustomersResponse expectedResponse = new ListAccessibleCustomersResponse
{
ResourceNames =
{
"resource_namese9b75273",
},
};
mockGrpcClient.Setup(x => x.ListAccessibleCustomersAsync(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(new grpccore::AsyncUnaryCall<ListAccessibleCustomersResponse>(stt::Task.FromResult(expectedResponse), null, null, null, null));
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
ListAccessibleCustomersResponse responseCallSettings = await client.ListAccessibleCustomersAsync(request, gaxgrpc::CallSettings.FromCancellationToken(st::CancellationToken.None));
Assert.AreEqual(expectedResponse, responseCallSettings);
ListAccessibleCustomersResponse responseCancellationToken = await client.ListAccessibleCustomersAsync(request, st::CancellationToken.None);
Assert.AreEqual(expectedResponse, responseCancellationToken);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public void CreateCustomerClientRequestObject()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
CreateCustomerClientRequest request = new CreateCustomerClientRequest
{
CustomerId = "customer_id3b3724cb",
CustomerClient = new gagvr::Customer(),
EmailAddress = "email_addressf3aae0b5",
AccessRole = gagve::AccessRoleEnum.Types.AccessRole.Unspecified,
};
CreateCustomerClientResponse expectedResponse = new CreateCustomerClientResponse
{
ResourceName = "resource_name8cc2e687",
InvitationLink = "invitation_linkd5742ce9",
};
mockGrpcClient.Setup(x => x.CreateCustomerClient(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(expectedResponse);
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
CreateCustomerClientResponse response = client.CreateCustomerClient(request);
Assert.AreEqual(expectedResponse, response);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public async stt::Task CreateCustomerClientRequestObjectAsync()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
CreateCustomerClientRequest request = new CreateCustomerClientRequest
{
CustomerId = "customer_id3b3724cb",
CustomerClient = new gagvr::Customer(),
EmailAddress = "email_addressf3aae0b5",
AccessRole = gagve::AccessRoleEnum.Types.AccessRole.Unspecified,
};
CreateCustomerClientResponse expectedResponse = new CreateCustomerClientResponse
{
ResourceName = "resource_name8cc2e687",
InvitationLink = "invitation_linkd5742ce9",
};
mockGrpcClient.Setup(x => x.CreateCustomerClientAsync(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(new grpccore::AsyncUnaryCall<CreateCustomerClientResponse>(stt::Task.FromResult(expectedResponse), null, null, null, null));
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
CreateCustomerClientResponse responseCallSettings = await client.CreateCustomerClientAsync(request, gaxgrpc::CallSettings.FromCancellationToken(st::CancellationToken.None));
Assert.AreEqual(expectedResponse, responseCallSettings);
CreateCustomerClientResponse responseCancellationToken = await client.CreateCustomerClientAsync(request, st::CancellationToken.None);
Assert.AreEqual(expectedResponse, responseCancellationToken);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public void CreateCustomerClient()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
CreateCustomerClientRequest request = new CreateCustomerClientRequest
{
CustomerId = "customer_id3b3724cb",
CustomerClient = new gagvr::Customer(),
};
CreateCustomerClientResponse expectedResponse = new CreateCustomerClientResponse
{
ResourceName = "resource_name8cc2e687",
InvitationLink = "invitation_linkd5742ce9",
};
mockGrpcClient.Setup(x => x.CreateCustomerClient(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(expectedResponse);
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
CreateCustomerClientResponse response = client.CreateCustomerClient(request.CustomerId, request.CustomerClient);
Assert.AreEqual(expectedResponse, response);
mockGrpcClient.VerifyAll();
}
[Category("Smoke")][Test]
public async stt::Task CreateCustomerClientAsync()
{
moq::Mock<CustomerService.CustomerServiceClient> mockGrpcClient = new moq::Mock<CustomerService.CustomerServiceClient>(moq::MockBehavior.Strict);
CreateCustomerClientRequest request = new CreateCustomerClientRequest
{
CustomerId = "customer_id3b3724cb",
CustomerClient = new gagvr::Customer(),
};
CreateCustomerClientResponse expectedResponse = new CreateCustomerClientResponse
{
ResourceName = "resource_name8cc2e687",
InvitationLink = "invitation_linkd5742ce9",
};
mockGrpcClient.Setup(x => x.CreateCustomerClientAsync(request, moq::It.IsAny<grpccore::CallOptions>())).Returns(new grpccore::AsyncUnaryCall<CreateCustomerClientResponse>(stt::Task.FromResult(expectedResponse), null, null, null, null));
CustomerServiceClient client = new CustomerServiceClientImpl(mockGrpcClient.Object, null);
CreateCustomerClientResponse responseCallSettings = await client.CreateCustomerClientAsync(request.CustomerId, request.CustomerClient, gaxgrpc::CallSettings.FromCancellationToken(st::CancellationToken.None));
Assert.AreEqual(expectedResponse, responseCallSettings);
CreateCustomerClientResponse responseCancellationToken = await client.CreateCustomerClientAsync(request.CustomerId, request.CustomerClient, st::CancellationToken.None);
Assert.AreEqual(expectedResponse, responseCancellationToken);
mockGrpcClient.VerifyAll();
}
}
}
| 59.54071 | 254 | 0.667777 | [
"Apache-2.0"
] | GraphikaPS/google-ads-dotnet | tests/V4/Services/CustomerServiceClientTest.g.cs | 28,520 | C# |
using System;
using System.Net.Mail;
namespace Mvc.Mailer {
public interface ISmtpClient : IDisposable {
event SendCompletedEventHandler SendCompleted;
void Send(MailMessage mailMessage);
void SendAsync(MailMessage mailMessage);
void SendAsync(MailMessage mailMessage, object userState);
}
}
| 27.833333 | 66 | 0.724551 | [
"MIT"
] | AshWilliams/MvcMailer | Mvc.Mailer/ISmtpClient.cs | 336 | C# |
using eShopLegacyWebForms.Models;
using Microsoft.Azure.ServiceBus;
using Newtonsoft.Json;
using System;
using System.Collections.Generic;
using System.Configuration;
using System.Text;
using System.Threading.Tasks;
namespace eShopLegacyWebForms.Services
{
public class QueueService : IQueueService
{
const string ServiceBusConnectionStringKey = "ServiceBusConnectionString";
const string QueueNameKey = "QueueName";
static Lazy<IQueueClient> _lazyQueueClient = new Lazy<IQueueClient>(InitialiseQueueClient);
static IQueueClient _queueClient = _lazyQueueClient.Value;
public QueueService()
{
if (string.IsNullOrEmpty(ConfigurationManager.AppSettings[ServiceBusConnectionStringKey]))
throw new InvalidOperationException($"App Setting {ServiceBusConnectionStringKey} not found.");
if (string.IsNullOrEmpty(ConfigurationManager.AppSettings[QueueNameKey]))
throw new InvalidOperationException($"App Setting {QueueNameKey} not found.");
}
public async Task BuyCatalogItem(CatalogItem item, IDictionary<string, string> properties)
{
var message = new Message(Encoding.UTF8.GetBytes(JsonConvert.SerializeObject(item)));
foreach(var prop in properties)
{
message.UserProperties.Add(prop.Key, prop.Value);
}
await _queueClient.SendAsync(message);
}
public static QueueClient InitialiseQueueClient()
{
return new QueueClient(ConfigurationManager.AppSettings[ServiceBusConnectionStringKey], ConfigurationManager.AppSettings[QueueNameKey]);
}
}
} | 38.931818 | 148 | 0.700525 | [
"MIT"
] | DanielLarsenNZ/eShopModernizing | eShopLegacyWebFormsSolution/src/eShopLegacyWebForms/Services/QueueService.cs | 1,715 | C# |
using System;
using System.Runtime.InteropServices;
namespace gebo.NFC
{
internal static class SCardAPI {
private const string FileName = "winscard.dll";
public const uint SCARD_SCOPE_USER = 0x0000;
public const uint SCARD_SCOPE_SYSTEM = 0x0002;
public const uint SCARD_SHARE_EXCLUSIVE = 0x00000002;
public const uint SCARD_SHARE_SHARED = 0x00000002;
public const uint SCARD_SHARE_DIRECT = 0x00000002;
public const uint SCARD_PROTOCOL_T0 = 0x0001;
public const uint SCARD_PROTOCOL_T1 = 0x0002;
public const uint SCARD_LEAVE_CARD = 0x0000;
public const uint SCARD_RESET_CARD = 0x0001;
public const uint SCARD_UNPOWER_CARD = 0x0002;
public const uint SCARD_EJECT_CARD = 0x0003;
// - Smart Card Database Query Functions
// https://msdn.microsoft.com/ja-jp/library/windows/desktop/aa379793(v=vs.85).aspx"
[DllImport(FileName, EntryPoint = "SCardListReadersW", CharSet = CharSet.Unicode)]
public static extern SCardResult SCardListReaders([In]IntPtr hContext, [In, Optional]Char[] mszGroups, [Out]Char[] mszReaders, [In, Out]ref UInt32 pcchReaders);
// - Resource Manager Context Functions
// https://msdn.microsoft.com/ja-jp/library/windows/desktop/aa379479(v=vs.85).aspx
[DllImport(FileName)]
public static extern SCardResult SCardEstablishContext([In]UInt32 dwScope, [In]IntPtr pvReserved1, [In]IntPtr pvReserved2, [Out]out IntPtr phContext);
// https://msdn.microsoft.com/ja-jp/library/windows/desktop/aa379798(v=vs.85).aspx
[DllImport(FileName)]
public static extern SCardResult SCardReleaseContext([In]IntPtr hContext);
// - Smart Card and Reader Access Functions
// https://msdn.microsoft.com/ja-jp/library/windows/desktop/aa379473(v=vs.85).aspx
[DllImport(FileName, EntryPoint = "SCardConnectW", CharSet = CharSet.Unicode)]
public static extern SCardResult SCardConnect([In]IntPtr hContext, [In]string szReader, [In]UInt32 dwShareMode, [In]UInt32 dwPreferredProtocols, [Out]out IntPtr phCard, [Out]out UInt32 pdwActiveProtocol);
[DllImport(FileName)]
public static extern SCardResult SCardDisconnect([In]IntPtr hCard, [In]UInt32 dwDisposition);
// https://msdn.microsoft.com/ja-jp/library/windows/desktop/aa379804(v=vs.85).aspx
[DllImport(FileName)]
public static extern SCardResult SCardTransmit([In]IntPtr hCard, [In]IntPtr pioSendPci, [In]Byte[] pbSendBuffer, [In]UInt32 cbSendLength, [In, Out, Optional]ref SCardIORequest pioRecvPci, [Out]Byte[] pbRecvBuffer, [In, Out]ref UInt32 pcbRecvLength);
// - kernel DLL
[DllImport("kernel32.dll", SetLastError = true)]
public static extern IntPtr LoadLibrary(string lpFileName);
[DllImport("kernel32.dll")]
public static extern void FreeLibrary(IntPtr handle);
[DllImport("kernel32.dll")]
public static extern IntPtr GetProcAddress(IntPtr handle, string procName);
// - Methods
private static IntPtr GetPciT1() {
IntPtr handle = LoadLibrary("winscard.dll");
IntPtr result = GetProcAddress(handle, "g_rgSCardT1Pci");
FreeLibrary(handle);
return result;
}
public static int SCardTransmit(IntPtr hCard, byte[] sendData, byte[] recvData) {
IntPtr sendCode = GetPciT1();
uint sendSize = (uint)sendData.Length;
uint recvSize = (uint)recvData.Length;
SCardIORequest recvCode = new SCardIORequest(0, recvSize + 2);
SCardResult result = SCardTransmit(hCard, sendCode, sendData, sendSize, ref recvCode, recvData, ref recvSize);
if (result == SCardResult.SCARD_S_SUCCESS) {
return (int)recvSize;
} else {
return -1;
}
}
}
}
| 45.860759 | 252 | 0.731714 | [
"MIT"
] | gebogebogebo/WebAuthnModokiDesktop | Source/WebAuthnModokiDesktop/WebAuthnModokiDesktop/NFC/SCard/SCardAPI.cs | 3,625 | C# |
Subsets and Splits