content
stringlengths
5
1.04M
avg_line_length
float64
1.75
12.9k
max_line_length
int64
2
244k
alphanum_fraction
float64
0
0.98
licenses
sequence
repository_name
stringlengths
7
92
path
stringlengths
3
249
size
int64
5
1.04M
lang
stringclasses
2 values
using Advanced.Algorithms.BitAlgorithms; using Microsoft.VisualStudio.TestTools.UnitTesting; using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Advanced.Algorithms.Tests.BitAlgorithms { /// <summary> /// Compute modulus division by 1 << s without a division operator. /// </summary> [TestClass] public class DivisionModulus_Tests { [TestMethod] public void DivisionModulus_Smoke_Test() { Assert.AreEqual(1, DivisionModulus.GetModulus(5, 4)); Assert.AreEqual(0, DivisionModulus.GetModulus(4, 4)); Assert.AreEqual(0, DivisionModulus.GetModulus(16, 8)); Assert.AreEqual(2, DivisionModulus.GetModulus(18, 8)); } } }
28.5
71
0.680451
[ "MIT" ]
dreegoo/Advanced-Algorithms
Advanced.Algorithms.Tests/BitAlgorithms/DivisionModulus_Tests.cs
800
C#
/* * Copyright 2002-2010 the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ using System.Threading; namespace Spring.Scheduling.Quartz { /// <summary> /// Simple test task. /// </summary> /// <author>Juergen Hoeller</author> public class TestMethodInvokingTask { /// <summary> /// Counter for DoSomething and DoWait calls. /// </summary> public int counter; private readonly object lockObject = new object(); /// <summary> /// Simple test method. /// </summary> public void DoSomething() { counter++; } /// <summary> /// Waits until stop is called. /// </summary> public void DoWait() { counter++; // wait until stop is called lock (lockObject) { try { Monitor.Wait(lockObject); } catch (ThreadInterruptedException) { // fall through } } } /// <summary> /// Informs test object that stop should be called. /// </summary> public void Stop() { lock (lockObject) { Monitor.Pulse(lockObject); } } } }
25.945946
75
0.532813
[ "Apache-2.0" ]
MaferYangPointJun/Spring.net
test/Spring/Spring.Scheduling.Quartz.Tests/Scheduling/Quartz/TestMethodInvokingTask.cs
1,920
C#
// ------------------------------------------------------------------------------ // Copyright (c) Microsoft Corporation. All Rights Reserved. Licensed under the MIT License. See License in the project root for license information. // ------------------------------------------------------------------------------ // **NOTE** This file was generated by a tool and any changes will be overwritten. // <auto-generated/> // Template Source: MethodRequest.cs.tt namespace Microsoft.Graph { using System; using System.Collections.Generic; using System.IO; using System.Net.Http; using System.Threading; /// <summary> /// The type WorkbookFunctionsIsNARequest. /// </summary> public partial class WorkbookFunctionsIsNARequest : BaseRequest, IWorkbookFunctionsIsNARequest { /// <summary> /// Constructs a new WorkbookFunctionsIsNARequest. /// </summary> public WorkbookFunctionsIsNARequest( string requestUrl, IBaseClient client, IEnumerable<Option> options) : base(requestUrl, client, options) { this.ContentType = CoreConstants.MimeTypeNames.Application.Json; this.RequestBody = new WorkbookFunctionsIsNARequestBody(); } /// <summary> /// Gets the request body. /// </summary> public WorkbookFunctionsIsNARequestBody RequestBody { get; private set; } /// <summary> /// Issues the POST request. /// </summary> /// <param name="cancellationToken">The <see cref="CancellationToken"/> for the request.</param> /// <returns>The task to await for async call.</returns> public System.Threading.Tasks.Task<WorkbookFunctionResult> PostAsync( CancellationToken cancellationToken = default) { this.Method = HttpMethods.POST; return this.SendAsync<WorkbookFunctionResult>(this.RequestBody, cancellationToken); } /// <summary> /// Issues the POST request and returns a <see cref="GraphResponse"/> object. /// </summary> /// <param name="cancellationToken">The <see cref="CancellationToken"/> for the request.</param> /// <returns>The <see cref="GraphResponse"/> object of the request</returns> public System.Threading.Tasks.Task<GraphResponse<WorkbookFunctionResult>> PostResponseAsync(CancellationToken cancellationToken = default) { this.Method = HttpMethods.POST; return this.SendAsyncWithGraphResponse<WorkbookFunctionResult>(this.RequestBody, cancellationToken); } /// <summary> /// Adds the specified expand value to the request. /// </summary> /// <param name="value">The expand value.</param> /// <returns>The request object to send.</returns> public IWorkbookFunctionsIsNARequest Expand(string value) { this.QueryOptions.Add(new QueryOption("$expand", value)); return this; } /// <summary> /// Adds the specified select value to the request. /// </summary> /// <param name="value">The select value.</param> /// <returns>The request object to send.</returns> public IWorkbookFunctionsIsNARequest Select(string value) { this.QueryOptions.Add(new QueryOption("$select", value)); return this; } } }
38.88764
153
0.602138
[ "MIT" ]
Aliases/msgraph-sdk-dotnet
src/Microsoft.Graph/Generated/requests/WorkbookFunctionsIsNARequest.cs
3,461
C#
// Copyright (c) Microsoft. All rights reserved. // Licensed under the MIT license. See LICENSE file in the project root for full license information. using System.Linq; namespace Microsoft.Azure.Devices.Api.Test.JobClient { using System; using System.Collections.Generic; using System.Net; using System.Net.Http; using System.Threading; using System.Threading.Tasks; using Microsoft.VisualStudio.TestTools.UnitTesting; using Moq; [TestClass] public class HttpJobClientTests { private readonly string jobId = "testJobId"; private readonly string deviceId = "testDeviceId"; private readonly List<string> deviceIds = new List<string>() { "testDeviceId", "testDeviceId2", "testDeviceId3", "testDeviceId4" }; private readonly JobResponse expectedJobResponse = new JobResponse(); private readonly TimeSpan timeout = TimeSpan.FromMinutes(1); private Mock<IHttpClientHelper> httpClientHelperMock; private readonly string iotHubName = "test"; private HttpJobClient jobClient; [TestInitialize] public void Setup() { httpClientHelperMock = new Mock<IHttpClientHelper>(); jobClient = new HttpJobClient(httpClientHelperMock.Object, iotHubName); } private void NoExtraJobParamTestSetup(JobType jobType, CancellationToken cancellationToken) { httpClientHelperMock.Setup(s => s.PutAsync<JobRequest, JobResponse>( It.IsAny<Uri>(), It.Is<JobRequest>( r => r.JobId == jobId && r.JobType == jobType), It.IsAny<Dictionary<HttpStatusCode, Func<HttpResponseMessage, Task<Exception>>>>(), It.Is<CancellationToken>(c => c == cancellationToken))) .Returns(Task.FromResult(expectedJobResponse)); } private void NoExtraJobParamMultiDeviceTestSetup(JobType jobType, CancellationToken cancellationToken) { httpClientHelperMock.Setup(s => s.PutAsync<JobRequest, JobResponse>( It.IsAny<Uri>(), It.Is<JobRequest>( r => r.JobId == jobId && r.JobType == jobType), It.IsAny<Dictionary<HttpStatusCode, Func<HttpResponseMessage, Task<Exception>>>>(), It.Is<CancellationToken>(c => c == cancellationToken))) .Returns(Task.FromResult(expectedJobResponse)); } private void TestVerify(JobResponse actualJobResponse) { Assert.AreEqual(expectedJobResponse, actualJobResponse); httpClientHelperMock.Verify(v => v.PutAsync<JobRequest, JobResponse>( It.IsAny<Uri>(), It.IsAny<JobRequest>(), It.IsAny<Dictionary<HttpStatusCode, Func<HttpResponseMessage, Task<Exception>>>>(), It.IsAny<CancellationToken>()), Times.Once); } [TestMethod] public void DisposeTest() { httpClientHelperMock.Setup(restOp => restOp.Dispose()); jobClient.Dispose(); httpClientHelperMock.Verify(restOp => restOp.Dispose(), Times.Once()); } [TestMethod] public async Task CloseAsyncTest() { httpClientHelperMock.Setup(restOp => restOp.Dispose()); await jobClient.CloseAsync(); httpClientHelperMock.Verify(restOp => restOp.Dispose(), Times.Never()); } } }
40.090909
139
0.621032
[ "MIT" ]
MicrosoftDocs/azure-iot-sdk-csharp
service/Microsoft.Azure.Devices/test/Microsoft.Azure.Devices.Api.Test/JobClient/HttpJobClientTests.cs
3,530
C#
using UnityEngine; using UnityEditor; using UnityEditor.SceneManagement; using System; using System.Linq; using System.Collections.Generic; using Chisel; using Chisel.Core; namespace Chisel.Editors { [CustomPropertyDrawer(typeof(SurfaceDescription))] public sealed class SurfaceDescriptionPropertyDrawer : PropertyDrawer { const float kSpacing = 2; public static readonly GUIContent kUV0Contents = new GUIContent("UV"); public static readonly GUIContent kSurfaceFlagsContents = new GUIContent("Surface Flags"); public static readonly GUIContent kSmoothingGroupContents = new GUIContent("Smoothing Groups"); public override float GetPropertyHeight(SerializedProperty property, GUIContent label) { if (ChiselNodeEditorBase.InSceneSettingsContext) return 0; SerializedProperty smoothingGroupProp = property.FindPropertyRelative(nameof(SurfaceDescription.smoothingGroup)); return UVMatrixPropertyDrawer.DefaultHeight + kSpacing + SurfaceFlagsPropertyDrawer.DefaultHeight + kSpacing + SmoothingGroupPropertyDrawer.GetDefaultHeight(smoothingGroupProp.propertyPath, true); } public override void OnGUI(Rect position, SerializedProperty property, GUIContent label) { if (ChiselNodeEditorBase.InSceneSettingsContext) { EditorGUI.BeginProperty(position, label, property); EditorGUI.EndProperty(); return; } var hasLabel = ChiselGUIUtility.LabelHasContent(label); SerializedProperty uv0Prop = property.FindPropertyRelative(nameof(SurfaceDescription.UV0)); SerializedProperty surfaceFlagsProp = property.FindPropertyRelative(nameof(SurfaceDescription.surfaceFlags)); SerializedProperty smoothingGroupProp = property.FindPropertyRelative(nameof(SurfaceDescription.smoothingGroup)); EditorGUI.BeginProperty(position, label, property); bool prevShowMixedValue = EditorGUI.showMixedValue; try { property.serializedObject.Update(); EditorGUI.BeginChangeCheck(); { position.height = SurfaceFlagsPropertyDrawer.DefaultHeight; EditorGUI.PropertyField(position, surfaceFlagsProp, !hasLabel ? GUIContent.none : kSurfaceFlagsContents, false); position.y += position.height + kSpacing; position.height = UVMatrixPropertyDrawer.DefaultHeight; EditorGUI.PropertyField(position, uv0Prop, !hasLabel ? GUIContent.none : kUV0Contents, false); position.y += position.height + kSpacing; position.height = SmoothingGroupPropertyDrawer.GetDefaultHeight(smoothingGroupProp.propertyPath, true); EditorGUI.PropertyField(position, smoothingGroupProp, !hasLabel ? GUIContent.none : kSmoothingGroupContents, false); } if (EditorGUI.EndChangeCheck()) { property.serializedObject.ApplyModifiedProperties(); } } catch (ExitGUIException) { } catch (Exception ex) { Debug.LogException(ex); } EditorGUI.showMixedValue = prevShowMixedValue; EditorGUI.EndProperty(); } } }
45.461538
136
0.644388
[ "MIT" ]
FV7VR3/Chisel.Prototype
Packages/com.chisel.editor/Chisel/Editor/PropertyDrawers/SurfaceDescriptionPropertyDrawer.cs
3,548
C#
using System; using System.Collections.Generic; using System.Linq; using GOTHAM.Model; using GOTHAM.Repository.Abstract; using GOTHAM.Tools; using NHibernate.Linq; namespace Gotham.Application.Generators { /// <summary> /// Contains static functions for estimating, converting and generating Nodes. /// </summary> public static class NodeGenerator { private static readonly log4net.ILog Log = log4net.LogManager.GetLogger(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType); // Generates random numbers for bandwidth static readonly Random Rnd = new Random(); // Set the minimum and maximum amount of bandwidth a tier 3 node can have private const double ChildMinBw = 0.01; private const double ChildMaxBw = 0.2; /// <summary> /// Produces a general estimate of tier 1 nodes in each country based on population and continent /// </summary> /// <param name="countries"></param> /// <returns></returns> public static Dictionary<string, int> EstimateNodes(IEnumerable<CountryEntity> countries) { var results = new Dictionary<string, int>(); var total = 0; foreach (var country in countries) { double nodes = 1; double temp = country.Population; while (temp > 10) { temp = (temp - (300000 * nodes)); nodes++; } if (country.Continent == "AF") nodes = (nodes * 0.5); else if (country.Continent == "AS") nodes = (nodes * 0.8); else if (country.Continent == "SA") nodes = (nodes * 0.8); country.Nodes = (int)nodes; total += (int)nodes; Log.Info(country.Name + " got " + (int)nodes + " nodes"); results.Add(country.CountryCode, (int)nodes); } Log.Info("Total of " + total + " locations"); return results; } /// <summary> /// Converts a list of Locations into Nodes /// </summary> /// <param name="locations"></param> /// <returns></returns> public static List<NodeEntity> ConvertLocToNode(IEnumerable<LocationEntity> locations) { var nodes = new List<NodeEntity>(); locations.ToList() .ForEach(x => nodes.Add( new NodeEntity(x.Name, x.Countrycode, new TierEntity() { Id = 1 }, x.Lat, x.Lng))); return nodes; } /// <summary> /// Generates nodes from random cities of the specified country. /// Dictionary containing [Country Code] and [Quantity to generate] /// </summary> /// <param name="nodeEstimate"></param> /// <returns></returns> public static List<LocationEntity> GenerateFromEstimate(Dictionary<string, int> nodeEstimate) { var locations = new List<LocationEntity>(); using (var session = EntityManager.GetSessionFactory().OpenSession()) { foreach (var item in nodeEstimate) { var quantity = item.Value; var cities = session.Query<LocationEntity>() .Where(x => x.Countrycode == item.Key) .OrderBy(x => x.Random) .Take(quantity) .ToList(); locations.AddRange(cities); Log.Info(item.Key + ": " + item.Value); } }// End session return locations; } /*/// <summary> /// Make new node (For testing) /// </summary> /// <param name="tier"></param> /// <returns></returns> private static NodeEntity NewRandomNode(TierEntity tier) { var node = new NodeEntity("test", "Flette", tier, Rnd.Next(Globals.GetInstance().MapMax.X), Rnd.Next(Globals.GetInstance().MapMax.Y)); return node; } /// <summary> /// Generates nodes with the specific amount of siblings /// </summary> /// <param name="siblings"></param> /// <param name="totBandwidth"></param> public static void GenerateNodes(int siblings, long totBandwidth) { var nodes = new List<NodeEntity>(); //var cables = new List<CableEntity>(); // Generate Tier 2 Nodes for (var i = 0; i < siblings; i++) { // Create a tier 2 Node var node = NewRandomNode(new TierEntity { Id = 2 }); node.Cables = new List<CableEntity>(); node.Bandwidth = totBandwidth; nodes.Add(node); long bwCounter = 0; // Check if total child bandwidth exeedes parent bandwidth while (bwCounter < node.Bandwidth) { // Make bandwidth cap for child and add to BW counter var bwCap = LongRandom.Next((long)(node.Bandwidth * ChildMinBw), (long)(node.Bandwidth * ChildMaxBw)); bwCap = (bwCap + 50) / 1000 * 1000; bwCounter += bwCap; // Create new Tier 3 Node var childNode = NewRandomNode(new TierEntity() { Id = 3 }); childNode.Cables = new List<CableEntity>(); // Add ChildNode to parentNode node.GetSiblings().Add(childNode); // Add a new Cable Beetwen nodes } // Tier 3 End } // Tier 2 End // Iterate through tier 2 nodes foreach (var node in nodes) { var nodeBandwidth = node.Bandwidth; Log.Info("\n"); Log.Info(node.Lat + " - " + node.Lng + " - Pri: " + node.Priority + " Bandwidth: " + Globals.GetInstance().BwSuffix(node.Bandwidth)); // Iterate through each of the Tier 3 siblings foreach (var sibling in node.GetSiblings()) { var firstOrDefault = node.Cables.FirstOrDefault(x => x.Nodes[0] == sibling); if (firstOrDefault == null) continue; var siblBandwidth = firstOrDefault.Capacity; Log.Info("\t" + sibling.Lat + " - " + sibling.Lng + " - Pri: " + sibling.Priority + " Cable Cap: " + Globals.GetInstance().BwSuffix(siblBandwidth)); nodeBandwidth -= siblBandwidth; } Log.Info("Bandwidth remaining: " + nodeBandwidth); } }*/ public static void FixSeaNodes() { var work = new UnitOfWork(); var nodeRepository = work.GetRepository<NodeEntity>(); var seaNodes = nodeRepository.FilterBy(x => x.Tier.Id == 4).ToList(); work.Dispose(); var newSeaNodes = new List<NodeEntity>(); foreach (var node in seaNodes) { var tempNode = node; var existing = newSeaNodes.Where((x => x.Name == tempNode.Name && x.CountryCode == tempNode.CountryCode)).FirstOrDefault(); if (existing == null) { var newNode = new NodeEntity(node.Name, node.CountryCode, node.Tier, node.Lat, node.Lng); newNode.Priority = 1; newSeaNodes.Add(newNode); } else foreach (var part in node.Cables) existing.Cables = new List<CableEntity> {part}; } work = new UnitOfWork(); var cableRepository = work.GetRepository<NodeEntity>(); cableRepository.Add(newSeaNodes); work.Dispose(); Log.Info("Fixed " + newSeaNodes.Count + " sea nodes"); } public static void FixNodeCountries() { // Start work var work = new UnitOfWork(); // Fetch repositories var nodeRepository = work.GetRepository<NodeEntity>(); var countryRepository = work.GetRepository<NodeEntity>(); var nodes = nodeRepository.All().ToList(); var countries = countryRepository.All().ToList(); foreach (var node in nodes) { var exists = countries.FirstOrDefault(x => x.Name == node.CountryCode); node.CountryCode = (exists != null) ? exists.CountryCode : node.CountryCode.ToUpper(); } // Save Nodes countryRepository.Add(nodes); // Dispose work.Dispose(); Log.Info("Fixed " + nodes.Count + " nodes"); } } }
36.867769
168
0.517261
[ "Unlicense", "MIT" ]
perara/gotham
GothamVS/OLD/GOTHAM/Application/Generators/NodeGenerator.cs
8,924
C#
// ====================================== // Author: Ebenezer Monney // Email: [email protected] // Copyright (c) 2017 www.ebenmonney.com // // ==> Gun4Hire: [email protected] // ====================================== using System; using System.Collections.Generic; using System.IO; using System.Linq; using System.Threading.Tasks; using Microsoft.AspNetCore; using Microsoft.AspNetCore.Hosting; using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.Logging; using QuickApp.Helpers; using DAL; namespace QuickApp { public class Program { public static void Main(string[] args) { var host = BuildWebHost(args); using (var scope = host.Services.CreateScope()) { var services = scope.ServiceProvider; try { var databaseInitializer = services.GetRequiredService<IDatabaseInitializer>(); databaseInitializer.SeedAsync().Wait(); } catch (Exception ex) { var logger = services.GetRequiredService<ILogger<Program>>(); logger.LogCritical(LoggingEvents.INIT_DATABASE, ex, LoggingEvents.INIT_DATABASE.Name); } } host.Run(); } public static IWebHost BuildWebHost(string[] args) => WebHost.CreateDefaultBuilder(args) .UseStartup<Startup>() .Build(); } }
28.092593
106
0.560316
[ "MIT" ]
GaneshRajChauhan/GSupport
src/QuickApp/Program.cs
1,517
C#
using System; using System.Collections.Generic; using System.Text; using Microsoft.EntityFrameworkCore; using Microsoft.EntityFrameworkCore.Storage.ValueConversion; using Microsoft.Extensions.Logging; using ParkShark.Domain; namespace ParkShark.Data.Model { public class ParkSharkDbContext : DbContext { public virtual DbSet<Division> Divisions { get; set; } public virtual DbSet<Contact> Contacts { get; set; } public virtual DbSet<ParkingLot> ParkingLots { get; set; } public virtual DbSet<Member> Members { get; set; } public virtual DbSet<Allocation> Allocations { get; set; } public ParkSharkDbContext(DbContextOptions options) : base(options) { } protected override void OnModelCreating(ModelBuilder modelBuilder) { modelBuilder.Entity<Division>() .ToTable("Divisions") .HasKey(d => d.Id); modelBuilder.Entity<Division>() .Property(d => d.OriginalName) .HasColumnName("Original_Name"); modelBuilder.Entity<Division>() .HasOne(d => d.ParentDivision) .WithMany(d => d.SubDivisions) .HasForeignKey(d => d.ParentDivisionId); modelBuilder.Entity<BuildingType>() .ToTable("BuildingTypes") .HasKey(b => b.Id); modelBuilder.Entity<ParkingLot>() .ToTable("ParkingLots") .HasKey(p => p.Id); modelBuilder.Entity<ParkingLot>() .HasOne(p => p.BuildingType) .WithMany() .HasForeignKey(p => p.BuildingTypeId); modelBuilder.Entity<ParkingLot>() .HasOne(p => p.Division) .WithMany() .HasForeignKey(p => p.DivisionId); modelBuilder.Entity<ParkingLot>() .HasOne(p => p.Contact) .WithMany() .HasForeignKey(p => p.ContactId); modelBuilder.Entity<Contact>() .ToTable("Contacts") .HasKey(c => c.Id); modelBuilder.Entity<Contact>() .OwnsOne(c => c.Address, address => { address.Property(a => a.Street).HasColumnName("Street"); address.Property(a => a.StreetNumber).HasColumnName("StreetNumber"); address.Property(a => a.PostalCode).HasColumnName("PostalCode"); address.Property(a => a.PostalName).HasColumnName("PostalName"); }); modelBuilder.Entity<Member>() .HasKey(m => m.Id); modelBuilder.Entity<Member>() .HasOne(m => m.Contact) .WithMany() .HasForeignKey(m => m.ContactId); modelBuilder.Entity<Member>() .OwnsOne(m => m.LicensePlate, licensePlate => { licensePlate.Property(c => c.Country).HasColumnName("LicensePlateNumber"); licensePlate.Property(c => c.Number).HasColumnName("LicensePlateCountry"); }); modelBuilder.Entity<Member>() .Property(m => m.MemberShipLevel) .HasConversion<string>(); modelBuilder.Entity<Member>() .HasOne(m => m.RelatedMemberShipLevel) .WithMany() .HasForeignKey(m => m.MemberShipLevel); modelBuilder.Entity<MemberShipLevel>() .Property(m => m.Name) .HasConversion<string>(); modelBuilder.Entity<MemberShipLevel>() .ToTable("MemberShipLevels") .HasKey(m => m.Name); modelBuilder.Entity<Allocation>() .ToTable("Allocations") .HasKey(m => m.Id); modelBuilder.Entity<Allocation>() .OwnsOne(a => a.LicensePlate, licensePlate => { licensePlate.Property(c => c.Country).HasColumnName("LicensePlateNumber"); licensePlate.Property(c => c.Number).HasColumnName("LicensePlateCountry"); }); modelBuilder.Entity<Allocation>() .HasOne(a => a.Member) .WithMany() .HasForeignKey(a => a.MemberId); modelBuilder.Entity<Allocation>() .HasOne(a => a.ParkingLot) .WithMany() .HasForeignKey(a => a.ParkingLotId); modelBuilder.Entity<Allocation>() .Ignore(a => a.Status); base.OnModelCreating(modelBuilder); } } }
36.338235
99
0.505463
[ "MIT" ]
merken/ParkShark
ParkShark.Data/Model/ParkSharkDbContext.cs
4,944
C#
using System; using System.IO; using BinarySerialization; using EfsTools.Items.Base; using EfsTools.Attributes; using EfsTools.Utils; using Newtonsoft.Json; namespace EfsTools.Items.Base { [Serializable] public class MultiLineStringsItemBase : ItemBase, IBinarySerializable { [Ignore] public string[] Values { get; set; } public void Serialize(Stream stream, Endianness endianness, BinarySerializationContext serializationContext) { if (Values != null) { using var writer = new StreamWriter(stream); var txt = StringUtils.GetString(Values, LineEnding.Linux); writer.Write(txt); writer.Flush(); writer.Close(); } } public void Deserialize(Stream stream, Endianness endianness, BinarySerializationContext serializationContext) { using var reader = new StreamReader(stream); var txt = reader.ReadToEnd(); Values = StringUtils.GetStringLines(txt,LineEnding.Linux); } } }
29.275
119
0.590094
[ "MIT" ]
AndroPlus-org/EfsTools
EfsTools/Items/Base/MultiLineStringsItemBase.cs
1,171
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("NumberTable-Book")] [assembly: AssemblyDescription("")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("")] [assembly: AssemblyProduct("NumberTable-Book")] [assembly: AssemblyCopyright("Copyright © 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("8ad1a7cc-131b-46a4-87c3-eb3e1df6642e")] // 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")]
37.837838
84
0.747857
[ "MIT" ]
Radostta/Programming-Basics-And-Fundamentals-SoftUni
Advanced-Loops-Excercises/NumberTable-Book/Properties/AssemblyInfo.cs
1,403
C#
using System.Collections; using NUnit.Framework; using UnityEngine; using UnityEngine.TestTools; using static Mirror.Tests.AsyncUtil; namespace Mirror.Tests { public class Flags : NetworkBehaviour { public bool serverFunctionCalled; public bool serverCallbackFunctionCalled; public bool clientFunctionCalled; public bool clientCallbackFunctionCalled; [Server] public void CallServerFunction() { serverFunctionCalled = true; } [ServerCallback] public void CallServerCallbackFunction() { serverCallbackFunctionCalled = true; } [Client] public void CallClientFunction() { clientFunctionCalled = true; } [ClientCallback] public void CallClientCallbackFunction() { clientCallbackFunctionCalled = true; } } public class FlagsTests : ClientServerTests { #region Setup GameObject playerGO; GameObject playerGO2; SampleBehavior behavior; SampleBehavior behavior2; Flags flags; [UnitySetUp] public IEnumerator SetupNetworkServer() => RunAsync(async () => { SetupServer(); await manager.StartServer(); playerGO = new GameObject(); playerGO.AddComponent<NetworkIdentity>(); behavior = playerGO.AddComponent<SampleBehavior>(); flags = playerGO.AddComponent<Flags>(); }); public void SetupNetworkClient() { SetupClient(); playerGO2 = new GameObject(); playerGO2.AddComponent<NetworkIdentity>(); behavior2 = playerGO2.AddComponent<SampleBehavior>(); flags = playerGO2.AddComponent<Flags>(); } [TearDown] public void ShutdownNetworkServer() { GameObject.DestroyImmediate(playerGO); ShutdownServer(); } public void ShutdownNetworkClient() { GameObject.DestroyImmediate(playerGO2); ShutdownClient(); } #endregion [Test] public void CanCallServerFunctionAsServer() { manager.server.Spawn(playerGO); Assert.That(behavior.IsServer, Is.True); Assert.That(behavior.IsClient, Is.False); flags.CallServerFunction(); flags.CallServerCallbackFunction(); Assert.That(flags.serverFunctionCalled, Is.True); Assert.That(flags.serverCallbackFunctionCalled, Is.True); } [Test] public void CannotCallClientFunctionAsServer() { manager.server.Spawn(playerGO); Assert.That(behavior.IsServer, Is.True); Assert.That(behavior.IsClient, Is.False); flags.CallClientFunction(); flags.CallClientCallbackFunction(); Assert.That(flags.clientFunctionCalled, Is.False); Assert.That(flags.clientCallbackFunctionCalled, Is.False); } // TODO: fix #68 in order to make sure these tests are working /*[Test] public void CanCallClientFunctionAsClient() { SetupNetworkClient(); Assert.That(behavior2.IsServer, Is.False); Assert.That(behavior2.IsClient, Is.True); flags.CallClientFunction(); flags.CallClientCallbackFunction(); Assert.That(flags.clientFunctionCalled, Is.True); Assert.That(flags.clientCallbackFunctionCalled, Is.True); ShutdownNetworkClient(); } [Test] public void CannotCallServerFunctionAsClient() { SetupNetworkClient(); Assert.That(behavior2.IsServer, Is.False); Assert.That(behavior2.IsClient, Is.True); flags.CallServerFunction(); flags.CallServerCallbackFunction(); Assert.That(flags.serverFunctionCalled, Is.False); Assert.That(flags.serverCallbackFunctionCalled, Is.False); ShutdownNetworkClient(); }*/ } }
26.846154
71
0.594078
[ "MIT" ]
aka-coke/MirrorNG
Assets/Mirror/Tests/Runtime/FlagsTests.cs
4,188
C#
// ------------------------------------------------------------------------------ // Copyright (c) Microsoft Corporation. All Rights Reserved. Licensed under the MIT License. See License in the project root for license information. // ------------------------------------------------------------------------------ // **NOTE** This file was generated by a tool and any changes will be overwritten. // <auto-generated/> // Template Source: MethodRequestBuilder.cs.tt namespace Microsoft.Graph { using System; using System.Collections.Generic; using System.IO; /// <summary> /// The type AccessPackageAssignmentFilterByCurrentUserRequestBuilder. /// </summary> public partial class AccessPackageAssignmentFilterByCurrentUserRequestBuilder : BaseFunctionMethodRequestBuilder<IAccessPackageAssignmentFilterByCurrentUserRequest>, IAccessPackageAssignmentFilterByCurrentUserRequestBuilder { /// <summary> /// Constructs a new <see cref="AccessPackageAssignmentFilterByCurrentUserRequestBuilder"/>. /// </summary> /// <param name="requestUrl">The URL for the request.</param> /// <param name="client">The <see cref="IBaseClient"/> for handling requests.</param> /// <param name="on">A on parameter for the OData method call.</param> public AccessPackageAssignmentFilterByCurrentUserRequestBuilder( string requestUrl, IBaseClient client, AccessPackageAssignmentFilterByCurrentUserOptions on) : base(requestUrl, client) { this.SetParameter("on", on, false); this.SetFunctionParameters(); } /// <summary> /// A method used by the base class to construct a request class instance. /// </summary> /// <param name="functionUrl">The request URL to </param> /// <param name="options">The query and header options for the request.</param> /// <returns>An instance of a specific request class.</returns> protected override IAccessPackageAssignmentFilterByCurrentUserRequest CreateRequest(string functionUrl, IEnumerable<Option> options) { var request = new AccessPackageAssignmentFilterByCurrentUserRequest(functionUrl, this.Client, options); return request; } } }
45.745098
227
0.641663
[ "MIT" ]
ScriptBox21/msgraph-sdk-dotnet
src/Microsoft.Graph/Generated/requests/AccessPackageAssignmentFilterByCurrentUserRequestBuilder.cs
2,333
C#
using System.Collections.Generic; using System.Collections.ObjectModel; using System.Net.Http.Headers; using System.Web.Http.Description; using CalculatorLibWeb.Areas.HelpPage.ModelDescriptions; namespace CalculatorLibWeb.Areas.HelpPage.Models { /// <summary> /// The model that represents an API displayed on the help page. /// </summary> public class HelpPageApiModel { /// <summary> /// Initializes a new instance of the <see cref="HelpPageApiModel"/> class. /// </summary> public HelpPageApiModel() { UriParameters = new Collection<ParameterDescription>(); SampleRequests = new Dictionary<MediaTypeHeaderValue, object>(); SampleResponses = new Dictionary<MediaTypeHeaderValue, object>(); ErrorMessages = new Collection<string>(); } /// <summary> /// Gets or sets the <see cref="ApiDescription"/> that describes the API. /// </summary> public ApiDescription ApiDescription { get; set; } /// <summary> /// Gets or sets the <see cref="ParameterDescription"/> collection that describes the URI parameters for the API. /// </summary> public Collection<ParameterDescription> UriParameters { get; private set; } /// <summary> /// Gets or sets the documentation for the request. /// </summary> public string RequestDocumentation { get; set; } /// <summary> /// Gets or sets the <see cref="ModelDescription"/> that describes the request body. /// </summary> public ModelDescription RequestModelDescription { get; set; } /// <summary> /// Gets the request body parameter descriptions. /// </summary> public IList<ParameterDescription> RequestBodyParameters { get { return GetParameterDescriptions(RequestModelDescription); } } /// <summary> /// Gets or sets the <see cref="ModelDescription"/> that describes the resource. /// </summary> public ModelDescription ResourceDescription { get; set; } /// <summary> /// Gets the resource property descriptions. /// </summary> public IList<ParameterDescription> ResourceProperties { get { return GetParameterDescriptions(ResourceDescription); } } /// <summary> /// Gets the sample requests associated with the API. /// </summary> public IDictionary<MediaTypeHeaderValue, object> SampleRequests { get; private set; } /// <summary> /// Gets the sample responses associated with the API. /// </summary> public IDictionary<MediaTypeHeaderValue, object> SampleResponses { get; private set; } /// <summary> /// Gets the error messages associated with this model. /// </summary> public Collection<string> ErrorMessages { get; private set; } private static IList<ParameterDescription> GetParameterDescriptions(ModelDescription modelDescription) { ComplexTypeModelDescription complexTypeModelDescription = modelDescription as ComplexTypeModelDescription; if (complexTypeModelDescription != null) { return complexTypeModelDescription.Properties; } CollectionModelDescription collectionModelDescription = modelDescription as CollectionModelDescription; if (collectionModelDescription != null) { complexTypeModelDescription = collectionModelDescription.ElementDescription as ComplexTypeModelDescription; if (complexTypeModelDescription != null) { return complexTypeModelDescription.Properties; } } return null; } } }
36.685185
123
0.615851
[ "MIT" ]
fakefunction/WebApiWithSocialLogins
src/CalculatorLibWeb/Areas/HelpPage/Models/HelpPageApiModel.cs
3,962
C#
using System; namespace ECode.Core { public class AssemblyLoadException : Exception { public AssemblyLoadException(string message) : base(message) { } } }
14.714286
52
0.587379
[ "MIT" ]
gz-chenzd/ECode
ECode.Core/Exceptions/AssemblyLoadException.cs
208
C#
// Copyright (c) Microsoft Corporation. // Licensed under the MIT License. using Microsoft.MixedReality.Toolkit.Input; using UnityEngine; using UnityEngine.UI; using UnityEngine.Serialization; using TMPro; namespace Microsoft.MixedReality.Toolkit.Experimental.Joystick { /// <summary> /// Example script to demonstrate joystick control in sample scene /// </summary> public class JoystickController : MonoBehaviour { [Experimental] [SerializeField, FormerlySerializedAs("objectToManipulate")] [Tooltip("The large or small game object that receives manipulation by the joystick.")] private GameObject targetObject = null; public GameObject TargetObject { get => targetObject; set => targetObject = value; } [SerializeField] [Tooltip("A TextMeshPro object that displays joystick values.")] private TextMeshPro debugText = null; [SerializeField] [Tooltip("The joystick mesh that gets rotated when this control is interacted with.")] private GameObject joystickVisual = null; [SerializeField] [Tooltip("The mesh + collider object that gets dragged and controls the joystick visual rotation.")] private GameObject grabberVisual = null; [SerializeField] [Tooltip("Toggles on / off the GrabberVisual's mesh renderer because it can be dragged away from the joystick visual, it kind of breaks the illusion of pushing / pulling a lever.")] private bool showGrabberVisual = true; [Tooltip("The speed at which the JoystickVisual and GrabberVisual move / rotate back to a neutral position.")] [Range(1, 20)] public float ReboundSpeed = 5; [Tooltip("How sensitive the joystick reacts to dragging left / right. Customize this value to get the right feel for your scenario.")] [Range(0.01f, 10)] public float SensitivityLeftRight = 3; [Tooltip("How sensitive the joystick reacts to pushing / pulling. Customize this value to get the right feel for your scenario.")] [Range(0.01f, 10)] public float SensitivityForwardBack = 6; [SerializeField] [Tooltip("The property that the joystick manipulates.")] private JoystickMode mode = JoystickMode.Move; public JoystickMode Mode { get => mode; set => mode = value; } [Tooltip("The distance multiplier for joystick input. Customize this value to get the right feel for your scenario.")] [Range(0.0003f, 0.03f)] public float MoveSpeed = 0.01f; [Tooltip("The rotation multiplier for joystick input. Customize this value to get the right feel for your scenario.")] [Range(0.01f, 1f)] public float RotationSpeed = 0.05f; [Tooltip("The scale multiplier for joystick input. Customize this value to get the right feel for your scenario.")] [Range(0.00003f, 0.003f)] public float ScaleSpeed = 0.001f; private Vector3 startPosition; private Vector3 joystickGrabberPosition; private Vector3 joystickVisualRotation; private const int joystickVisualMaxRotation = 80; private bool isDragging = false; private void Start() { startPosition = grabberVisual.transform.localPosition; if (grabberVisual != null) { grabberVisual.GetComponent<MeshRenderer>().enabled = showGrabberVisual; } } private void Update() { if (!isDragging) { // when dragging stops, move joystick back to idle if (grabberVisual != null) { grabberVisual.transform.localPosition = Vector3.Lerp(grabberVisual.transform.localPosition, startPosition, Time.deltaTime * ReboundSpeed); } } CalculateJoystickRotation(); ApplyJoystickValues(); } private void CalculateJoystickRotation() { joystickGrabberPosition = grabberVisual.transform.localPosition - startPosition; // Left Right = Horizontal joystickVisualRotation.z = Mathf.Clamp(-joystickGrabberPosition.x * SensitivityLeftRight, -joystickVisualMaxRotation, joystickVisualMaxRotation); // Forward Back = Vertical joystickVisualRotation.x = Mathf.Clamp(joystickGrabberPosition.z * SensitivityForwardBack, -joystickVisualMaxRotation, joystickVisualMaxRotation); // TODO: calculate joystickVisualRotation.y to always face the proper direction (for when the joystick container gets moved around the scene) if (joystickVisual != null) { joystickVisual.transform.localRotation = Quaternion.Euler(joystickVisualRotation); } } private void ApplyJoystickValues() { if (TargetObject != null) { if (Mode == JoystickMode.Move) { TargetObject.transform.position += (joystickGrabberPosition * MoveSpeed); if (debugText != null) { debugText.text = TargetObject.transform.position.ToString(); } } else if (Mode == JoystickMode.Rotate) { Vector3 newRotation = TargetObject.transform.rotation.eulerAngles; // only take the horizontal axis from the joystick newRotation.y += (joystickGrabberPosition.x * RotationSpeed); newRotation.x = 0; newRotation.z = 0; TargetObject.transform.localRotation = Quaternion.Euler(newRotation); if (debugText != null) { debugText.text = TargetObject.transform.localRotation.eulerAngles.ToString(); } } else if (Mode == JoystickMode.Scale) { // TODO: Clamp above zero Vector3 newScale = new Vector3(joystickGrabberPosition.x, joystickGrabberPosition.x, joystickGrabberPosition.x) * ScaleSpeed; TargetObject.transform.localScale += newScale; if (debugText != null) { debugText.text = TargetObject.transform.localScale.ToString(); } } } } /// <summary> /// The ObjectManipulator script uses this to determine when the joystick is grabbed. /// </summary> public void StartDrag() { isDragging = true; } /// <summary> /// The ObjectManipulator script uses this to determine when the joystick is released. /// </summary> public void StopDrag() { isDragging = false; } /// <summary> /// Set the joystick mode from a UI button. /// </summary> public void JoystickModeMove() { Mode = JoystickMode.Move; } /// <summary> /// Set the joystick mode from a UI button. /// </summary> public void JoystickModeRotate() { Mode = JoystickMode.Rotate; } /// <summary> /// Set the joystick mode from a UI button. /// </summary> public void JoystickModeScale() { Mode = JoystickMode.Scale; } } }
40.632124
190
0.576639
[ "MIT" ]
HyperLethalVector/ProjectEsky-UnityIntegration
Assets/MRTK/SDK/Experimental/Joystick/JoystickController.cs
7,844
C#
using Doublelives.Api.Mappers; using Doublelives.Api.Models.Cfgs.Requests; using Doublelives.Service.Cfgs; using Doublelives.Service.WorkContextAccess; using Microsoft.AspNetCore.Mvc; using System.Threading.Tasks; namespace Doublelives.Api.Controllers { public class CfgController : AuthControllerBase { private readonly ICfgService _cfgService; public CfgController( IWorkContextAccessor workContextAccessor, ICfgService cfgService) : base(workContextAccessor) { _cfgService = cfgService; } /// <summary> /// 获取分页的cfg /// </summary> [HttpGet("list")] public async Task<IActionResult> List([FromQuery] CfgListSearchRequest request) { var result = await _cfgService.GetPagedList(CfgMapper.ToCfgSearchDto(request)); return Ok("1"); } } }
27.636364
91
0.652412
[ "MIT" ]
lzw5399/dl-admin
dl-api-csharp/Doublelives.Api/Controllers/CfgController.cs
924
C#
// Copyright (c) Microsoft Open Technologies, Inc. All rights reserved. See License.txt in the project root for license information. namespace System.Web.Mvc { internal delegate IUnvalidatedRequestValues UnvalidatedRequestValuesAccessor(ControllerContext controllerContext); }
40.428571
133
0.823322
[ "Apache-2.0" ]
Darth-Fx/AspNetMvcStack
src/System.Web.Mvc/UnvalidatedRequestValuesAccessor.cs
285
C#
using System; using NetOffice; namespace NetOffice.ExcelApi.Enums { /// <summary> /// SupportByVersion Excel 15 /// </summary> ///<remarks> MSDN Online Documentation: http://msdn.microsoft.com/en-us/en-us/library/office/jj231153.aspx </remarks> [SupportByVersionAttribute("Excel", 15)] [EntityTypeAttribute(EntityType.IsEnum)] public enum XlSlicerCacheType { /// <summary> /// SupportByVersion Excel 15 /// </summary> /// <remarks>1</remarks> [SupportByVersionAttribute("Excel", 15)] xlSlicer = 1, /// <summary> /// SupportByVersion Excel 15 /// </summary> /// <remarks>2</remarks> [SupportByVersionAttribute("Excel", 15)] xlTimeline = 2 } }
26.555556
120
0.648536
[ "MIT" ]
NetOffice/NetOffice
Source/Excel/Enums/XlSlicerCacheType.cs
717
C#
#region BSD License /* * * Original BSD 3-Clause License (https://github.com/ComponentFactory/Krypton/blob/master/LICENSE) * © Component Factory Pty Ltd, 2006 - 2016, (Version 4.5.0.0) All rights reserved. * * New BSD 3-Clause License (https://github.com/Krypton-Suite/Standard-Toolkit/blob/master/LICENSE) * Modifications by Peter Wagner(aka Wagnerp) & Simon Coghlan(aka Smurf-IV), et al. 2017 - 2021. All rights reserved. * */ #endregion namespace Krypton.Ribbon { /// <summary> /// Implementation for the minimize ribbon button. /// </summary> public class ButtonSpecMinimizeRibbon : ButtonSpec { #region Instance Fields private readonly KryptonRibbon _ribbon; #endregion #region Identity /// <summary> /// Initialize a new instance of the ButtonSpecMinimizeRibbon class. /// </summary> /// <param name="ribbon">Reference to owning ribbon control.</param> public ButtonSpecMinimizeRibbon(KryptonRibbon ribbon) { Debug.Assert(ribbon != null); _ribbon = ribbon; // Fix the type ProtectedType = PaletteButtonSpecStyle.RibbonMinimize; } #endregion #region AllowComponent /// <summary> /// Gets a value indicating if the component is allowed to be selected at design time. /// </summary> [Browsable(false)] [EditorBrowsable(EditorBrowsableState.Never)] public override bool AllowComponent => false; #endregion #region ButtonSpecStype /// <summary> /// Gets and sets the actual type of the button. /// </summary> public PaletteButtonSpecStyle ButtonSpecType { get => ProtectedType; set => ProtectedType = value; } #endregion #region IButtonSpecValues /// <summary> /// Gets the button visible value. /// </summary> /// <param name="palette">Palette to use for inheriting values.</param> /// <returns>Button visibiliy.</returns> public override bool GetVisible(IPalette palette) { return _ribbon.ShowMinimizeButton && !_ribbon.MinimizedMode; } /// <summary> /// Gets the button enabled state. /// </summary> /// <param name="palette">Palette to use for inheriting values.</param> /// <returns>Button enabled state.</returns> public override ButtonEnabled GetEnabled(IPalette palette) { return ButtonEnabled.True; } /// <summary> /// Gets the button checked state. /// </summary> /// <param name="palette">Palette to use for inheriting values.</param> /// <returns>Button checked state.</returns> public override ButtonCheckState GetChecked(IPalette palette) { // Close button is never shown as checked return ButtonCheckState.NotCheckButton; } /// <summary> /// Gets the button style. /// </summary> /// <param name="palette">Palette to use for inheriting values.</param> /// <returns>Button style.</returns> public override ButtonStyle GetStyle(IPalette palette) { return ButtonStyle.ButtonSpec; } #endregion #region Protected Overrides /// <summary> /// Raises the Click event. /// </summary> /// <param name="e">An EventArgs that contains the event data.</param> protected override void OnClick(EventArgs e) { // Only if associated view is enabled to we perform an action if (GetViewEnabled()) { if (!_ribbon.InDesignMode) { _ribbon.MinimizedMode = true; } } } #endregion } }
32.170732
119
0.579479
[ "BSD-3-Clause" ]
cuteofdragon/Standard-Toolkit
Source/Krypton Components/Krypton.Ribbon/ButtonSpec/ButtonSpecMinimizeRibbon.cs
3,960
C#
 #region Copyright (C) 2017 Kevin (OSS开源作坊) 公众号:osscoder /*************************************************************************** *   文件功能描述:微信支付模快 —— 实体基类 * *   创建人: Kevin * 创建人Email:[email protected] * 创建日期:2017-2-23 * *****************************************************************************/ #endregion using System; using System.Collections.Generic; using System.Net.Http; using System.Security.Cryptography.X509Certificates; using System.Xml; using OSS.Common.ComModels; namespace OSS.PayCenter.WX { /// <summary> /// 请求基类 /// </summary> public class WxPayBaseReq { private readonly SortedDictionary<string, object> _dics = new SortedDictionary<string, object>(); public WxPayBaseReq() { var nonceStr = Guid.NewGuid().ToString().Replace("-", ""); _dics["nonce_str"] = nonceStr; } /// <summary> /// 设置当前实体中涉及加密的字段 /// </summary> protected virtual void SetSignDics() { } /// <summary> /// 设置加密字典条目 /// </summary> /// <param name="key"></param> /// <param name="value"></param> protected void SetDicItem(string key, object value) { if (!string.IsNullOrEmpty(value?.ToString())) _dics[key] = value; } public SortedDictionary<string, object> GetDics() { SetSignDics(); //_dics["sign_type"] = "MD5"; return _dics; } } /// <summary> /// 请求响应基类 /// </summary> public class WxPayBaseResp : ResultMo { /// <summary> /// 公众账号ID 必填 String(32) 调用接口提交的公众账号ID /// </summary> public string appid { get; set; } /// <summary> /// 商户号 必填 String(32) 调用接口提交的商户号 /// </summary> public string mch_id { get; set; } /// <summary> /// 随机字符串 必填 String(32) 微信返回的随机字符串 /// </summary> public string nonce_str { get; set; } /// <summary> /// 签名 必填 String(32) 微信返回的签名值,详见签名算法 /// </summary> public string sign { get; set; } /// <summary> /// 返回状态码 必填 String(16) SUCCESS/FAIL /// 完全没意思,但是微信返回就收着吧 /// </summary> public string return_code { get; set; } /// <summary> /// 返回信息 可空 String(128) 返回信息,如非空,为错误原因签名失败 /// </summary> public string return_msg { get; set; } private string _resultCode = string.Empty; /// <summary> /// 业务结果 必填 String(16) SUCCESS/FAIL /// </summary> public string result_code { get { return _resultCode; } set { _resultCode = value; if (_resultCode.ToUpper() != "SUCCESS") { Ret = 0; } } } /// <summary> /// 错误代码 可空 String(32) 详细参见下文错误列表 /// </summary> public string err_code { get; set; } /// <summary> /// 错误代码描述 可空 String(128) 错误信息描述 /// </summary> public string err_code_des { get; set; } /// <summary> /// 响应对象的xml实体 /// </summary> public XmlDocument RespXml { get; set; } #region 处理结果字典赋值 private SortedDictionary<string, string> _dics; /// <summary> /// 把消息对应的xml字典,给属性赋值 /// </summary> /// <param name="contentDirs"></param> internal void FromResContent(SortedDictionary<string, string> contentDirs) { _dics = contentDirs; return_code = this["return_code"]; return_msg = this["return_msg"]; appid = this["appid"]; mch_id = this["mch_id"]; nonce_str = this["nonce_str"]; sign = this["sign"]; result_code = this["result_code"]; err_code = this["err_code"]; err_code_des = this["err_code_des"]; FormatPropertiesFromMsg(); } /// <summary> /// 格式化自身属性部分 /// </summary> protected virtual void FormatPropertiesFromMsg() { } /// <summary> /// 自定义索引,获取指定字段的值 /// </summary> /// <param name="key"></param> public string this[string key] { get { string value; _dics.TryGetValue(key, out value); return value ?? string.Empty; } } #endregion } public class WxPayCenterConfig { /// <summary> /// 应用来源,自定义字段 /// </summary> public string AppSource { get; set; } /// <summary> /// 应用Id /// </summary> public string AppId { get; set; } /// <summary> /// 商户号id /// </summary> public string MchId { get; set; } /// <summary> /// AppSecret 值 /// </summary> public string AppSecret { get; set; } /// <summary> /// 参与加密的key值 /// </summary> public string Key { get; set; } /// <summary> /// 回调通知地址,公号等用到 /// </summary> public string NotifyUrl { get; set; } /// <summary> /// 证书路径, 请填写绝对路径,为了安全,请不要将证书放在网站目录下 /// </summary> public string CertPath { get; set; } /// <summary> /// 证书密码 /// </summary> public string CertPassword { get; set; } /// <summary> /// 设置请求证书委托(使用证书接口必填-退款,发红包等) /// 当前标准库最高版本1.6中HttpClientHandler还不直接支持证书设置,公开当前属性,方便不同运行时框架设置自己的赋值方式 /// 例如:config.SetCertificata = (handler, cert) => /// { /// handler.ServerCertificateCustomValidationCallback = (msg, c, chain, sslErrors) => true; /// handler.ClientCertificates.Add(cert); /// }; /// </summary> public Action<HttpClientHandler, X509Certificate2> SetCertificata { get; set; } } }
25.300412
106
0.472674
[ "Apache-2.0" ]
cnark/OSS.PayCenter
WX/OSS.PayCenter.WX/BaseMos.cs
6,990
C#
using System.Collections; using System.Collections.Generic; using UnityEngine; public enum QUAKE_DOOR_STATE { OPEN, OPENING, RECESSED_DELAYING, RECESSED_OPENING, RECESSED_CLOSING, CLOSED, CLOSING }; public class QuakeDoor : MonoBehaviour { public QUAKE_DOOR_STATE state = QUAKE_DOOR_STATE.CLOSED; public Vector3 closed_offset; public Vector3 open_offset; public float duration; //Time between door closed and door open or door recessed public bool recessed = false; public Vector3 recess_offset; public float recess_delay = 1.0f; //In seconds public float duration_recess; //Time between door recessed and door open public bool auto_reset = false; public QUAKE_DOOR_STATE auto_reset_default; public float auto_reset_timer = 5.0f; private float auto_reset_progress = 0.0f; private Vector3 start_position; private Vector3 current_position; private Vector3 target_position; private float progress; private float progress_normalized; private QUAKE_DOOR_STATE recessed_state; void Start() { if(state == QUAKE_DOOR_STATE.CLOSED) { target_position = closed_offset; } if(state == QUAKE_DOOR_STATE.OPEN) { target_position = open_offset; } } // Update is called once per frame void Update () { if(state != QUAKE_DOOR_STATE.OPEN && state != QUAKE_DOOR_STATE.CLOSED) { progress += Time.deltaTime; progress_normalized = progress / duration; if((state == QUAKE_DOOR_STATE.OPENING || state == QUAKE_DOOR_STATE.CLOSING) && recessed == false) { if(progress_normalized > 1.0f) { progress = duration; progress_normalized = 1.0f; if(state == QUAKE_DOOR_STATE.OPENING) { state = QUAKE_DOOR_STATE.OPEN; } else if(state == QUAKE_DOOR_STATE.CLOSING) { state = QUAKE_DOOR_STATE.CLOSED; } } } else if((state == QUAKE_DOOR_STATE.OPENING || state == QUAKE_DOOR_STATE.CLOSING) && recessed == true) { if(progress_normalized > 1.0f) { progress = progress - duration; //Subtract duration so we reset the counter for delaying, while not losing the information of time passed. progress_normalized = 1.0f; //Set this to 1.0f so that the update position puts the door in the recessed position recessed_state = state; state = QUAKE_DOOR_STATE.RECESSED_DELAYING; } } else if(state == QUAKE_DOOR_STATE.RECESSED_DELAYING) { if(progress_normalized > 1.0f) { progress = progress - duration; start_position = recess_offset; if(recessed_state == QUAKE_DOOR_STATE.OPENING) { state = QUAKE_DOOR_STATE.RECESSED_OPENING; target_position = open_offset; } else if(recessed_state == QUAKE_DOOR_STATE.CLOSING) { state = QUAKE_DOOR_STATE.RECESSED_CLOSING; target_position = closed_offset; } } return; } else if(state == QUAKE_DOOR_STATE.RECESSED_OPENING || state == QUAKE_DOOR_STATE.RECESSED_CLOSING ) { if(progress_normalized > 1.0f) { progress_normalized = 1.0f; if(state == QUAKE_DOOR_STATE.RECESSED_OPENING) { state = QUAKE_DOOR_STATE.OPEN; } else if(state == QUAKE_DOOR_STATE.RECESSED_CLOSING) { state = QUAKE_DOOR_STATE.CLOSED; } } } current_position = Vector3.Lerp(start_position, target_position, progress_normalized); gameObject.transform.position = current_position; } if(auto_reset && auto_reset_default == QUAKE_DOOR_STATE.CLOSED && state == QUAKE_DOOR_STATE.OPEN) { auto_reset_progress += Time.deltaTime; if(auto_reset_progress >= auto_reset_timer) { auto_reset_progress = 0.0f; Close(); } } if(auto_reset && auto_reset_default == QUAKE_DOOR_STATE.OPEN && state == QUAKE_DOOR_STATE.CLOSED) { auto_reset_progress += Time.deltaTime; if(auto_reset_progress >= auto_reset_timer) { auto_reset_progress = 0.0f; Open(); } } } public void Open() { if(state == QUAKE_DOOR_STATE.CLOSED) { progress = 0.0f; state = QUAKE_DOOR_STATE.OPENING; start_position = closed_offset; if(recessed == true) { target_position = recess_offset; } else { target_position = open_offset; } } } public void Close() { if(state == QUAKE_DOOR_STATE.OPEN) { progress = 0.0f; state = QUAKE_DOOR_STATE.CLOSING; start_position = open_offset; if(recessed == true) { target_position = recess_offset; } else { target_position = closed_offset; } } } }
22.613065
143
0.688444
[ "Unlicense" ]
affonsoamendola/quake1h3vr
Assets/Scripts/QuakeDoor.cs
4,502
C#
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. using System.Collections; using System.Collections.Generic; using System.Collections.ObjectModel; using System.Collections.Specialized; using System.ComponentModel; using System.Text; namespace System.Diagnostics { /// <devdoc> /// A set of values used to specify a process to start. This is /// used in conjunction with the <see cref='System.Diagnostics.Process'/> /// component. /// </devdoc> [DebuggerDisplay("FileName={FileName}, Arguments={BuildArguments()}, WorkingDirectory={WorkingDirectory}")] public sealed partial class ProcessStartInfo { private string? _fileName; private string? _arguments; private string? _directory; private string? _userName; private string? _verb; private Collection<string>? _argumentList; private ProcessWindowStyle _windowStyle; internal DictionaryWrapper? _environmentVariables; /// <devdoc> /// Default constructor. At least the <see cref='System.Diagnostics.ProcessStartInfo.FileName'/> /// property must be set before starting the process. /// </devdoc> public ProcessStartInfo() { } /// <devdoc> /// Specifies the name of the application or document that is to be started. /// </devdoc> public ProcessStartInfo(string fileName) { _fileName = fileName; } /// <devdoc> /// Specifies the name of the application that is to be started, as well as a set /// of command line arguments to pass to the application. /// </devdoc> public ProcessStartInfo(string fileName, string arguments) { _fileName = fileName; _arguments = arguments; } /// <devdoc> /// Specifies the set of command line arguments to use when starting the application. /// </devdoc> public string Arguments { get => _arguments ?? string.Empty; set => _arguments = value; } public Collection<string> ArgumentList => _argumentList ??= new Collection<string>(); internal bool HasArgumentList => _argumentList is not null && _argumentList.Count != 0; public bool CreateNoWindow { get; set; } [Editor("System.Diagnostics.Design.StringDictionaryEditor, System.Design, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a", "System.Drawing.Design.UITypeEditor, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")] public StringDictionary EnvironmentVariables => new StringDictionaryWrapper((Environment as DictionaryWrapper)!); public IDictionary<string, string?> Environment { get { if (_environmentVariables == null) { IDictionary envVars = System.Environment.GetEnvironmentVariables(); _environmentVariables = new DictionaryWrapper(new Dictionary<string, string?>( envVars.Count, OperatingSystem.IsWindows() ? StringComparer.OrdinalIgnoreCase : StringComparer.Ordinal)); // Manual use of IDictionaryEnumerator instead of foreach to avoid DictionaryEntry box allocations. IDictionaryEnumerator e = envVars.GetEnumerator(); Debug.Assert(!(e is IDisposable), "Environment.GetEnvironmentVariables should not be IDisposable."); while (e.MoveNext()) { DictionaryEntry entry = e.Entry; _environmentVariables.Add((string)entry.Key, (string?)entry.Value); } } return _environmentVariables; } } public bool RedirectStandardInput { get; set; } public bool RedirectStandardOutput { get; set; } public bool RedirectStandardError { get; set; } public Encoding? StandardInputEncoding { get; set; } public Encoding? StandardErrorEncoding { get; set; } public Encoding? StandardOutputEncoding { get; set; } /// <devdoc> /// <para> /// Returns or sets the application, document, or URL that is to be launched. /// </para> /// </devdoc> [Editor("System.Diagnostics.Design.StartFileNameEditor, System.Design, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a", "System.Drawing.Design.UITypeEditor, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")] public string FileName { get => _fileName ?? string.Empty; set => _fileName = value; } /// <devdoc> /// Returns or sets the initial directory for the process that is started. /// Specify "" to if the default is desired. /// </devdoc> [Editor("System.Diagnostics.Design.WorkingDirectoryEditor, System.Design, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a", "System.Drawing.Design.UITypeEditor, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")] public string WorkingDirectory { get => _directory ?? string.Empty; set => _directory = value; } public bool ErrorDialog { get; set; } public IntPtr ErrorDialogParentHandle { get; set; } public string UserName { get => _userName ?? string.Empty; set => _userName = value; } [DefaultValue("")] public string Verb { get => _verb ?? string.Empty; set => _verb = value; } [DefaultValueAttribute(System.Diagnostics.ProcessWindowStyle.Normal)] public ProcessWindowStyle WindowStyle { get => _windowStyle; set { if (!Enum.IsDefined(typeof(ProcessWindowStyle), value)) { throw new InvalidEnumArgumentException(nameof(value), (int)value, typeof(ProcessWindowStyle)); } _windowStyle = value; } } internal string BuildArguments() { if (HasArgumentList) { var arguments = new ValueStringBuilder(stackalloc char[256]); AppendArgumentsTo(ref arguments); return arguments.ToString(); } return Arguments; } internal void AppendArgumentsTo(ref ValueStringBuilder stringBuilder) { if (_argumentList != null && _argumentList.Count > 0) { foreach (string argument in _argumentList) { PasteArguments.AppendArgument(ref stringBuilder, argument); } } else if (!string.IsNullOrEmpty(Arguments)) { if (stringBuilder.Length > 0) { stringBuilder.Append(' '); } stringBuilder.Append(Arguments); } } } }
37.2
149
0.58414
[ "MIT" ]
Acidburn0zzz/runtime
src/libraries/System.Diagnostics.Process/src/System/Diagnostics/ProcessStartInfo.cs
7,440
C#
// Copyright (c) Six Labors and contributors. // Licensed under the Apache License, Version 2.0. using System; using System.Numerics; using SixLabors.ImageSharp.Metadata.Profiles.Icc; namespace SixLabors.ImageSharp.Tests { internal static class IccTestDataProfiles { public static readonly IccProfileId Header_Random_Id_Value = new IccProfileId(0x84A8D460, 0xC716B6F3, 0x9B0E4C3D, 0xAB95F838); public static readonly IccProfileId Profile_Random_Id_Value = new IccProfileId(0x917D6DE6, 0x84C958D1, 0x3BB0F5BB, 0xADD1134F); public static readonly byte[] Header_Random_Id_Array = { 0x84, 0xA8, 0xD4, 0x60, 0xC7, 0x16, 0xB6, 0xF3, 0x9B, 0x0E, 0x4C, 0x3D, 0xAB, 0x95, 0xF8, 0x38, }; public static readonly byte[] Profile_Random_Id_Array = { 0x91, 0x7D, 0x6D, 0xE6, 0x84, 0xC9, 0x58, 0xD1, 0x3B, 0xB0, 0xF5, 0xBB, 0xAD, 0xD1, 0x13, 0x4F, }; public static readonly IccProfileHeader Header_Random_Write = CreateHeaderRandomValue( 562, // should be overwritten new IccProfileId(1, 2, 3, 4), // should be overwritten "ijkl"); // should be overwritten to "acsp" public static readonly IccProfileHeader Header_Random_Read = CreateHeaderRandomValue(132, Header_Random_Id_Value, "acsp"); public static readonly byte[] Header_Random_Array = CreateHeaderRandomArray(132, 0, Header_Random_Id_Array); public static IccProfileHeader CreateHeaderRandomValue(uint size, IccProfileId id, string fileSignature) { return new IccProfileHeader { Class = IccProfileClass.DisplayDevice, CmmType = "abcd", CreationDate = new DateTime(1990, 11, 26, 7, 21, 42), CreatorSignature = "dcba", DataColorSpace = IccColorSpaceType.Rgb, DeviceAttributes = IccDeviceAttribute.ChromaBlackWhite | IccDeviceAttribute.OpacityTransparent, DeviceManufacturer = 123456789u, DeviceModel = 987654321u, FileSignature = "acsp", Flags = IccProfileFlag.Embedded | IccProfileFlag.Independent, Id = id, PcsIlluminant = new Vector3(4, 5, 6), PrimaryPlatformSignature = IccPrimaryPlatformType.MicrosoftCorporation, ProfileConnectionSpace = IccColorSpaceType.CieXyz, RenderingIntent = IccRenderingIntent.AbsoluteColorimetric, Size = size, Version = new IccVersion(4, 3, 0), }; } public static byte[] CreateHeaderRandomArray(uint size, uint nrOfEntries, byte[] profileId) { return ArrayHelper.Concat( new byte[] { (byte)(size >> 24), (byte)(size >> 16), (byte)(size >> 8), (byte)size, // Size 0x61, 0x62, 0x63, 0x64, // CmmType 0x04, 0x30, 0x00, 0x00, // Version 0x6D, 0x6E, 0x74, 0x72, // Class 0x52, 0x47, 0x42, 0x20, // DataColorSpace 0x58, 0x59, 0x5A, 0x20, // ProfileConnectionSpace 0x07, 0xC6, 0x00, 0x0B, 0x00, 0x1A, 0x00, 0x07, 0x00, 0x15, 0x00, 0x2A, // CreationDate 0x61, 0x63, 0x73, 0x70, // FileSignature 0x4D, 0x53, 0x46, 0x54, // PrimaryPlatformSignature 0x00, 0x00, 0x00, 0x01, // Flags 0x07, 0x5B, 0xCD, 0x15, // DeviceManufacturer 0x3A, 0xDE, 0x68, 0xB1, // DeviceModel 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x09, // DeviceAttributes 0x00, 0x00, 0x00, 0x03, // RenderingIntent 0x00, 0x04, 0x00, 0x00, 0x00, 0x05, 0x00, 0x00, 0x00, 0x06, 0x00, 0x00, // PcsIlluminant 0x64, 0x63, 0x62, 0x61, // CreatorSignature }, profileId, new byte[] { // Padding 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // Nr of tag table entries (byte)(nrOfEntries >> 24), (byte)(nrOfEntries >> 16), (byte)(nrOfEntries >> 8), (byte)nrOfEntries }); } public static readonly byte[] Profile_Random_Array = ArrayHelper.Concat(CreateHeaderRandomArray(168, 2, Profile_Random_Id_Array), new byte[] { 0x00, 0x00, 0x00, 0x00, // tag signature (Unknown) 0x00, 0x00, 0x00, 0x9C, // tag offset (156) 0x00, 0x00, 0x00, 0x0C, // tag size (12) 0x00, 0x00, 0x00, 0x00, // tag signature (Unknown) 0x00, 0x00, 0x00, 0x9C, // tag offset (156) 0x00, 0x00, 0x00, 0x0C, // tag size (12) }, IccTestDataTagDataEntry.TagDataEntryHeader_UnknownArr, IccTestDataTagDataEntry.Unknown_Arr ); public static readonly IccProfile Profile_Random_Val = new IccProfile(CreateHeaderRandomValue(168, Profile_Random_Id_Value, "acsp"), new IccTagDataEntry[] { IccTestDataTagDataEntry.Unknown_Val, IccTestDataTagDataEntry.Unknown_Val }); public static readonly byte[] Header_CorruptDataColorSpace_Array = { 0x00, 0x00, 0x00, 0x80, // Size 0x61, 0x62, 0x63, 0x64, // CmmType 0x04, 0x30, 0x00, 0x00, // Version 0x6D, 0x6E, 0x74, 0x72, // Class 0x68, 0x45, 0x8D, 0x6A, // DataColorSpace 0x58, 0x59, 0x5A, 0x20, // ProfileConnectionSpace 0x07, 0xC6, 0x00, 0x0B, 0x00, 0x1A, 0x00, 0x07, 0x00, 0x15, 0x00, 0x2A, // CreationDate 0x61, 0x63, 0x73, 0x70, // FileSignature 0x4D, 0x53, 0x46, 0x54, // PrimaryPlatformSignature 0x00, 0x00, 0x00, 0x01, // Flags 0x07, 0x5B, 0xCD, 0x15, // DeviceManufacturer 0x3A, 0xDE, 0x68, 0xB1, // DeviceModel 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x09, // DeviceAttributes 0x00, 0x00, 0x00, 0x03, // RenderingIntent 0x00, 0x04, 0x00, 0x00, 0x00, 0x05, 0x00, 0x00, 0x00, 0x06, 0x00, 0x00, // PcsIlluminant 0x64, 0x63, 0x62, 0x61, // CreatorSignature // Profile ID 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // Padding 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, }; public static readonly byte[] Header_CorruptProfileConnectionSpace_Array = { 0x00, 0x00, 0x00, 0x80, // Size 0x62, 0x63, 0x64, 0x65, // CmmType 0x04, 0x30, 0x00, 0x00, // Version 0x6D, 0x6E, 0x74, 0x72, // Class 0x52, 0x47, 0x42, 0x20, // DataColorSpace 0x68, 0x45, 0x8D, 0x6A, // ProfileConnectionSpace 0x07, 0xC6, 0x00, 0x0B, 0x00, 0x1A, 0x00, 0x07, 0x00, 0x15, 0x00, 0x2A, // CreationDate 0x61, 0x63, 0x73, 0x70, // FileSignature 0x4D, 0x53, 0x46, 0x54, // PrimaryPlatformSignature 0x00, 0x00, 0x00, 0x01, // Flags 0x07, 0x5B, 0xCD, 0x15, // DeviceManufacturer 0x3A, 0xDE, 0x68, 0xB1, // DeviceModel 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x09, // DeviceAttributes 0x00, 0x00, 0x00, 0x03, // RenderingIntent 0x00, 0x04, 0x00, 0x00, 0x00, 0x05, 0x00, 0x00, 0x00, 0x06, 0x00, 0x00, // PcsIlluminant 0x64, 0x63, 0x62, 0x61, // CreatorSignature // Profile ID 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // Padding 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, }; public static readonly byte[] Header_CorruptRenderingIntent_Array = { 0x00, 0x00, 0x00, 0x80, // Size 0x63, 0x64, 0x65, 0x66, // CmmType 0x04, 0x30, 0x00, 0x00, // Version 0x6D, 0x6E, 0x74, 0x72, // Class 0x52, 0x47, 0x42, 0x20, // DataColorSpace 0x58, 0x59, 0x5A, 0x20, // ProfileConnectionSpace 0x07, 0xC6, 0x00, 0x0B, 0x00, 0x1A, 0x00, 0x07, 0x00, 0x15, 0x00, 0x2A, // CreationDate 0x61, 0x63, 0x73, 0x70, // FileSignature 0x4D, 0x53, 0x46, 0x54, // PrimaryPlatformSignature 0x00, 0x00, 0x00, 0x01, // Flags 0x07, 0x5B, 0xCD, 0x15, // DeviceManufacturer 0x3A, 0xDE, 0x68, 0xB1, // DeviceModel 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x09, // DeviceAttributes 0x33, 0x41, 0x30, 0x6B, // RenderingIntent 0x00, 0x04, 0x00, 0x00, 0x00, 0x05, 0x00, 0x00, 0x00, 0x06, 0x00, 0x00, // PcsIlluminant 0x64, 0x63, 0x62, 0x61, // CreatorSignature // Profile ID 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // Padding 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, }; public static readonly byte[] Header_DataTooSmall_Array = new byte[127]; public static readonly byte[] Header_InvalidSizeSmall_Array = CreateHeaderRandomArray(127, 0, Header_Random_Id_Array); public static readonly byte[] Header_InvalidSizeBig_Array = CreateHeaderRandomArray(50_000_000, 0, Header_Random_Id_Array); public static readonly byte[] Header_SizeBiggerThanData_Array = CreateHeaderRandomArray(160, 0, Header_Random_Id_Array); public static readonly object[][] ProfileIdTestData = { new object[] { Header_Random_Array, Header_Random_Id_Value }, new object[] { Profile_Random_Array, Profile_Random_Id_Value }, }; public static readonly object[][] ProfileValidityTestData = { new object[] { Header_CorruptDataColorSpace_Array, false }, new object[] { Header_CorruptProfileConnectionSpace_Array, false }, new object[] { Header_CorruptRenderingIntent_Array, false }, new object[] { Header_DataTooSmall_Array, false }, new object[] { Header_InvalidSizeSmall_Array, false }, new object[] { Header_InvalidSizeBig_Array, false }, new object[] { Header_SizeBiggerThanData_Array, false }, new object[] { Header_Random_Array, true }, }; } }
51.276786
137
0.562076
[ "Apache-2.0" ]
GyleIverson/ImageSharp
tests/ImageSharp.Tests/TestDataIcc/IccTestDataProfiles.cs
11,488
C#
// =========================================================== // Copyright (C) 2014-2015 Kendar.org // // 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 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 ConcurrencyHelpers.Coroutines; using Node.Cs.Lib.Contexts; namespace Node.Cs.Lib.OnReceive { public interface ISessionManager { string StoredSid { get; } bool SupportSession { get; } bool IsChildRequest { get; set; } void StoreContext(INodeCsContext context, bool disconnect = true); void InitializeSession(bool isChildRequest, IContextManager contextManager); void LoadSessionData(Container actionResult); } }
50.933333
131
0.710079
[ "MIT" ]
endaroza/Node.Cs
Src/Node.Cs.Lib/OnReceive/ISessionManager.cs
1,528
C#
using System; using System.Collections.Generic; using System.Linq; namespace EasyPost { public class ScanFormList : Resource { public List<ScanForm> scanForms { get; set; } public bool has_more { get; set; } public Dictionary<string, object> filters { get; set; } /// <summary> /// Get the next page of scan forms based on the original parameters passed to ScanForm.List(). /// </summary> /// <returns>A new EasyPost.ScanFormList instance.</returns> public ScanFormList Next() { filters = filters ?? new Dictionary<string, object>(); filters["before_id"] = scanForms.Last().id; return ScanForm.List(filters); } } }
31.956522
103
0.613605
[ "MIT" ]
CemHortoglu/easypost-csharp
EasyPost/ScanFormList.cs
737
C#
using System; using Microsoft.VisualStudio.TestTools.UnitTesting; using System.Web.Script.Serialization; namespace IPFilter.Tests.Apps { [TestClass] public class DelugeTests { internal static readonly JavaScriptSerializer serializer = new JavaScriptSerializer(); [TestMethod, Ignore] public void ParseConfig() { var conf = "{\n \"file\": 1, \n \"format\": 1\n}{\n \"check_after_days\": 1, \n \"timeout\": 180, \n \"url\": \"https://github.com/DavidMoore/ipfilter/releases/download/lists/ipfilter.dat.gz\", \n \"try_times\": 3, \n \"list_size\": 3053919, \n \"last_update\": 1583488027.858, \n \"list_type\": \"\", \n \"list_compression\": \"\", \n \"load_on_start\": false\n}"; var obj = serializer.DeserializeObject(conf); Assert.IsNotNull(obj); } class DelugeSerializer { } } }
31.965517
388
0.599784
[ "MIT" ]
DavidMoore/ipfilter
Tests/UnitTests/IPFilter.Tests/Apps/DelugeTests.cs
929
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.AzureNextGen.Network.V20200301 { public static class GetServiceEndpointPolicyDefinition { public static Task<GetServiceEndpointPolicyDefinitionResult> InvokeAsync(GetServiceEndpointPolicyDefinitionArgs args, InvokeOptions? options = null) => Pulumi.Deployment.Instance.InvokeAsync<GetServiceEndpointPolicyDefinitionResult>("azure-nextgen:network/v20200301:getServiceEndpointPolicyDefinition", args ?? new GetServiceEndpointPolicyDefinitionArgs(), options.WithVersion()); } public sealed class GetServiceEndpointPolicyDefinitionArgs : Pulumi.InvokeArgs { /// <summary> /// The name of the resource group. /// </summary> [Input("resourceGroupName", required: true)] public string ResourceGroupName { get; set; } = null!; /// <summary> /// The name of the service endpoint policy definition name. /// </summary> [Input("serviceEndpointPolicyDefinitionName", required: true)] public string ServiceEndpointPolicyDefinitionName { get; set; } = null!; /// <summary> /// The name of the service endpoint policy name. /// </summary> [Input("serviceEndpointPolicyName", required: true)] public string ServiceEndpointPolicyName { get; set; } = null!; public GetServiceEndpointPolicyDefinitionArgs() { } } [OutputType] public sealed class GetServiceEndpointPolicyDefinitionResult { /// <summary> /// A description for this rule. Restricted to 140 chars. /// </summary> public readonly string? Description; /// <summary> /// A unique read-only string that changes whenever the resource is updated. /// </summary> public readonly string Etag; /// <summary> /// The name of the resource that is unique within a resource group. This name can be used to access the resource. /// </summary> public readonly string? Name; /// <summary> /// The provisioning state of the service endpoint policy definition resource. /// </summary> public readonly string ProvisioningState; /// <summary> /// Service endpoint name. /// </summary> public readonly string? Service; /// <summary> /// A list of service resources. /// </summary> public readonly ImmutableArray<string> ServiceResources; [OutputConstructor] private GetServiceEndpointPolicyDefinitionResult( string? description, string etag, string? name, string provisioningState, string? service, ImmutableArray<string> serviceResources) { Description = description; Etag = etag; Name = name; ProvisioningState = provisioningState; Service = service; ServiceResources = serviceResources; } } }
34.583333
243
0.638855
[ "Apache-2.0" ]
test-wiz-sec/pulumi-azure-nextgen
sdk/dotnet/Network/V20200301/GetServiceEndpointPolicyDefinition.cs
3,320
C#
using System; using System.Windows.Forms; using Autofac; using WarpDeck.Application; using WarpDeck.Application.Device; using WarpDeck.Application.Monitor; namespace WarpDeck.Windows { internal static class Program { [STAThread] private static void Main(string[] args) { System.Windows.Forms.Application.SetHighDpiMode(HighDpiMode.SystemAware); System.Windows.Forms.Application.EnableVisualStyles(); System.Windows.Forms.Application.SetCompatibleTextRenderingDefault(false); System.Windows.Forms.Application.ThreadExit += (_, _) => { WarpDeckApp.Container.Resolve<MonitorManager>().StopListening(); WarpDeckApp.Container.Resolve<DeviceManager>().ClearDevices(); }; System.Windows.Forms.Application.Run(new MainForm(args)); } } }
34.192308
86
0.668166
[ "MIT" ]
armunro/WarpDeck
WarpDeck.Windows/Program.cs
889
C#
//----------------------------------------------------------------------------- // FILE: WorkflowMutableRequest.cs // CONTRIBUTOR: Jeff Lill // COPYRIGHT: Copyright (c) 2005-2022 by neonFORGE LLC. All rights reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. using System; using System.Collections.Generic; using System.ComponentModel; using Neon.Common; using Neon.Temporal; namespace Neon.Temporal.Internal { /// <summary> /// <b>proxy --> client:</b> Invokes a workflow instance. /// </summary> [InternalProxyMessage(InternalMessageTypes.WorkflowMutableRequest)] internal class WorkflowMutableRequest : WorkflowRequest { /// <summary> /// Default constructor. /// </summary> public WorkflowMutableRequest() { Type = InternalMessageTypes.WorkflowMutableRequest; } /// <inheritdoc/> public override InternalMessageTypes ReplyType => InternalMessageTypes.WorkflowMutableReply; /// <summary> /// Identifies the mutable value. /// </summary> public string MutableId { get => GetStringProperty(PropertyNames.MutableId); set => SetStringProperty(PropertyNames.MutableId, value); } /// <summary> /// The mutable value to be returned. /// </summary> public byte[] Result { get => GetBytesProperty(PropertyNames.Result); set => SetBytesProperty(PropertyNames.Result, value); } /// <inheritdoc/> internal override ProxyMessage Clone() { var clone = new WorkflowMutableRequest(); CopyTo(clone); return clone; } /// <inheritdoc/> protected override void CopyTo(ProxyMessage target) { base.CopyTo(target); var typedTarget = (WorkflowMutableRequest)target; typedTarget.MutableId = this.MutableId; typedTarget.Result = this.Result; } } }
30.464286
100
0.612349
[ "Apache-2.0" ]
codelastnight/neonKUBE
Lib/Neon.Temporal/Internal/WorkflowMessages/WorkflowMutableRequest.cs
2,561
C#
using System; namespace QS.Utilities { public static class CurrencyWorks { public static string CurrencyShortName = "₽"; public static string CurrencyShortFormat = "{0:N2} ₽"; public static string GetShortCurrencyString(Decimal value) { return String.Format(CurrencyShortFormat, value); } public static string ToShortCurrencyString(this Decimal value) { return String.Format(CurrencyShortFormat, value); } } }
20.904762
64
0.744875
[ "Apache-2.0" ]
Art8m/QSProjects
QS.Utilities/CurrencyWorks.cs
445
C#
using Microsoft.AspNetCore.Mvc; using System; using System.ComponentModel; using Xms.Core.Context; using Xms.Core.Data; using Xms.Data.Provider; using Xms.Infrastructure.Utility; using Xms.Logging.AppLog; using Xms.Logging.AppLog.Domain; using Xms.Web.Framework.Context; using Xms.Web.Framework.Controller; using Xms.Web.Models; namespace Xms.Web.Controllers { /// <summary> /// 平台管理控制器 /// </summary> public class PlatformController : AuthorizedControllerBase { private readonly ILogService _logService; public PlatformController(IWebAppContext appContext , ILogService logService) : base(appContext) { _logService = logService; } [Description("系统日志列表")] public IActionResult Log(LogModel m) { int page = m.Page, pageSize = m.PageSize; if (m.SortBy.IsEmpty()) { m.SortBy = ExpressionHelper.GetPropertyName<VisitedLog>(n => n.CreatedOn); m.SortDirection = (int)SortDirection.Desc; } FilterContainer<VisitedLog> container = FilterContainerBuilder.Build<VisitedLog>(); container.And(n => n.OrganizationId == CurrentUser.OrganizationId); if (m.ClientIp.IsNotEmpty()) { container.And(n => n.ClientIP == m.ClientIp); } if (m.Url.IsNotEmpty()) { container.And(n => n.Url.Like(m.Url)); } if (m.BeginTime.HasValue) { container.And(n => n.CreatedOn >= m.BeginTime); } if (m.EndTime.HasValue) { container.And(n => n.CreatedOn <= m.EndTime); } if(m.StatusCode > 0) { container.And(n => n.StatusCode == m.StatusCode); } PagedList<VisitedLog> result = _logService.Query(x => x .Page(page, pageSize) .Select(c => c.Title, c => c.CreatedOn, c => c.ClientIP, c => c.UserName, c => c.Url, c => c.StatusCode) .Where(container) .Sort(n => n.OnFile(m.SortBy).ByDirection(m.SortDirection)) ); m.Items = result.Items; m.TotalItems = result.TotalItems; return DynamicResult(m); } [Description("日志详情")] public IActionResult LogDetail(Guid logid) { LogDetailModel model = new LogDetailModel(); model.LogDetail = _logService.FindById(logid); return DynamicResult(model); } } }
31.464286
120
0.550889
[ "MIT" ]
feilingdeng/xms
Presentation/Xms.Web/Controllers/PlatformController.cs
2,679
C#
namespace OfficeTicTacToe.Actors.Interfaces { public interface IPastState { int StateToken { get; set; } int NextStateToken { get; set; } } }
21.25
44
0.629412
[ "Apache-2.0" ]
DXFrance/OfficeTicTacToe
OfficeTicTacToe.Actors.Interfaces/IPastState.cs
172
C#
using Function.Interfaces; using System; using System.IO; using System.Reflection; namespace Function.Utilities { internal class FileHelper : IFileHelper { public string GetToxicPlantAnimalFileLocation(string fileName) { return Path.Combine(Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location) ?? throw new InvalidOperationException("File not found") , "Data", fileName); } } }
27.055556
98
0.646817
[ "MIT" ]
Animundo/ToxicPlants
Function/Utilities/FileHelper.cs
489
C#
using System; using System.Globalization; using System.IO; using System.Net.Http; using System.Security.Cryptography; using System.Text; using System.Threading.Tasks; using Microsoft.Azure.WebJobs; using Microsoft.Azure.WebJobs.Extensions.EventGrid; using Microsoft.Azure.EventGrid.Models; using Microsoft.Extensions.Logging; using Microsoft.WindowsAzure.Storage; using Microsoft.WindowsAzure.Storage.Blob; using Newtonsoft.Json; using Newtonsoft.Json.Linq; namespace BotFramework.Telephony.Samples { public static class CallRecordingDownloader { private static HttpClient client = new HttpClient(); // Make sure Event Grid is registered for the subscription: // az provider register --namespace Microsoft.EventGrid // az provider show -n Microsoft.EventGrid [FunctionName("CallRecordingDownloader")] public static async void Run([EventGridTrigger]EventGridEvent eventGridEvent, ILogger log) { try { log.LogInformation($"Received {eventGridEvent.EventType} event"); if (eventGridEvent.EventType == DownloadRecordingConstants.RecordingFileStatusUpdated) { if(eventGridEvent.Data == null) { log.LogError("RecordingFileStatusUpdated received with invalid data."); return; } var eventData = ((JObject)(eventGridEvent.Data)).ToObject<RecordingFileStatusUpdatedEventData>(); log.LogInformation($"Recording Notification received"); log.LogInformation($"Recording Start: {eventData.RecordingStartTime} Duration : {eventData.RecordingDurationMs}"); log.LogInformation($"#Chunks: {eventData.RecordingStorageInfo.RecordingChunks.Length}"); log.LogInformation($"Recording Session End Reason: {eventData.SessionEndReason}"); // Prepare storage blob to store recording files var recordingContainer = await GetRecordingContainer(log).ConfigureAwait(false); // Download each recording chunk foreach (var chunk in eventData.RecordingStorageInfo.RecordingChunks) { log.LogInformation($"Downloading chunk {chunk.DocumentId}"); // Download metadata for chunk to storage var metadata = await DownloadChunkMetadata(chunk.DocumentId, recordingContainer, log).ConfigureAwait(false); if (metadata == null) { log.LogError($"Failed to download metadata for {chunk.DocumentId}"); return; } // Download recording file to storage await DownloadChunk(metadata, recordingContainer, log).ConfigureAwait(false);} } } catch(Exception ex) { log.LogError("Failed with {0}", ex.Message); log.LogError("Failed with {0}", ex.InnerException.Message); } } private static async Task<RecordingMetadata> DownloadChunkMetadata(string documentId, CloudBlobContainer container, ILogger log) { var acsEndpoint = new Uri(Environment.GetEnvironmentVariable("AcsEndpoint", EnvironmentVariableTarget.Process)); var acsAccessKey = Environment.GetEnvironmentVariable("CUSTOMCONNSTR_AcsAccessKey", EnvironmentVariableTarget.Process); var downloadMetadataUrlForChunk = string.Format("recording/download/{0}/metadata?api-version=2021-04-15-preview1", documentId); var downloadMetadataUrl = new Uri(acsEndpoint, downloadMetadataUrlForChunk); using (var request = new HttpRequestMessage(HttpMethod.Get, downloadMetadataUrl)) { request.Content = null; // content required for POST methods AddHmacHeaders(request, CreateContentHash(string.Empty), acsAccessKey); using (var response = await client.SendAsync(request)) { if (!response.IsSuccessStatusCode) { log.LogError($"Failed to download metadata. StatusCode: {response.StatusCode}"); return null; } var metadataString = await response.Content.ReadAsStringAsync().ConfigureAwait(false); log.LogInformation(metadataString); var metadata = JsonConvert.DeserializeObject<RecordingMetadata>(metadataString); log.LogInformation($"CallId: {metadata.CallId}"); var metadataFile = string.Format("{0}_metadata.json", metadata.CallId); var metadataBlob = container.GetBlockBlobReference(metadataFile); await metadataBlob.UploadTextAsync(metadataString).ConfigureAwait(false); log.LogInformation("Saved call metadata successfully"); return metadata; } } } private static async Task DownloadChunk(RecordingMetadata metadata, CloudBlobContainer container, ILogger log) { var acsEndpoint = new Uri(Environment.GetEnvironmentVariable("AcsEndpoint", EnvironmentVariableTarget.Process)); var acsAccessKey = Environment.GetEnvironmentVariable("CUSTOMCONNSTR_AcsAccessKey", EnvironmentVariableTarget.Process); var downloadUrlForChunk = string.Format("recording/download/{0}?api-version=2021-04-15-preview1", metadata.ChunkDocumentId); var downloadRecordingUrl = new Uri(acsEndpoint, downloadUrlForChunk); using (var request = new HttpRequestMessage(HttpMethod.Get, downloadRecordingUrl)) { request.Content = null; // content required for POST methods AddHmacHeaders(request, CreateContentHash(string.Empty), acsAccessKey); using (var response = await client.SendAsync(request).ConfigureAwait(false)) { if (!response.IsSuccessStatusCode) { log.LogError($"Failed to download document. StatusCode: {response.StatusCode}"); return; } var recordingStream = await response.Content.ReadAsStreamAsync(); var recordingFile = string.Format("{0}.{1}", metadata.CallId, metadata.RecordingInfo.Format); var recordingBlob = container.GetBlockBlobReference(recordingFile); await recordingBlob.UploadFromStreamAsync(recordingStream).ConfigureAwait(false); log.LogInformation("Saved recording successfully"); } } } private static async Task<CloudBlobContainer> GetRecordingContainer(ILogger log) { var blobConnStr = Environment.GetEnvironmentVariable("CUSTOMCONNSTR_RecordingStorageConnectionString", EnvironmentVariableTarget.Process); var recordingContainer = Environment.GetEnvironmentVariable("RecordingContainerName", EnvironmentVariableTarget.Process); var storageAccount = CloudStorageAccount.Parse(blobConnStr); var blobClient = storageAccount.CreateCloudBlobClient(); log.LogInformation($"recordingContainer: {recordingContainer}"); var container = blobClient.GetContainerReference(recordingContainer); await container.CreateIfNotExistsAsync(); log.LogInformation($"Recording will be downloaded to container : {recordingContainer}"); return container; } private static string CreateContentHash(string content) { var alg = SHA256.Create(); using (var memoryStream = new MemoryStream()) using (var contentHashStream = new CryptoStream(memoryStream, alg, CryptoStreamMode.Write)) { using (var swEncrypt = new StreamWriter(contentHashStream)) { if (content != null) { swEncrypt.Write(content); } } } return Convert.ToBase64String(alg.Hash); } private static void AddHmacHeaders(HttpRequestMessage request, string contentHash, string accessKey) { var utcNowString = DateTimeOffset.UtcNow.ToString("r", CultureInfo.InvariantCulture); var uri = request.RequestUri; var host = uri.Authority; var pathAndQuery = uri.PathAndQuery; var stringToSign = $"{request.Method}\n{pathAndQuery}\n{utcNowString};{host};{contentHash}"; var hmac = new HMACSHA256(Convert.FromBase64String(accessKey)); var hash = hmac.ComputeHash(Encoding.ASCII.GetBytes(stringToSign)); var signature = Convert.ToBase64String(hash); var authorization = $"HMAC-SHA256 SignedHeaders=date;host;x-ms-content-sha256&Signature={signature}"; request.Headers.Add("x-ms-content-sha256", contentHash); request.Headers.Add("Date", utcNowString); request.Headers.Add("Authorization", authorization); } } }
48.818182
151
0.608835
[ "MIT" ]
KayMKM/botframework-telephony
samples/csharp_dotnetcore/05a.telephony-recording-download-function/CallRecordingDownloader.cs
9,666
C#
// This file is automatically generated. using System; using System.Text; using System.Runtime.InteropServices; namespace Steam4NET { [StructLayout(LayoutKind.Sequential,Pack=4)] public class ISteamUser014VTable { public IntPtr GetHSteamUser0; public IntPtr BLoggedOn1; public IntPtr GetSteamID2; public IntPtr InitiateGameConnection3; public IntPtr TerminateGameConnection4; public IntPtr TrackAppUsageEvent5; public IntPtr GetUserDataFolder6; public IntPtr StartVoiceRecording7; public IntPtr StopVoiceRecording8; public IntPtr GetAvailableVoice9; public IntPtr GetVoice10; public IntPtr DecompressVoice11; public IntPtr GetAuthSessionTicket12; public IntPtr BeginAuthSession13; public IntPtr EndAuthSession14; public IntPtr CancelAuthTicket15; public IntPtr UserHasLicenseForApp16; public IntPtr BIsBehindNAT17; public IntPtr AdvertiseGame18; public IntPtr RequestEncryptedAppTicket19; public IntPtr GetEncryptedAppTicket20; private IntPtr DTorISteamUser01421; }; [InteropHelp.InterfaceVersion("SteamUser014")] public class ISteamUser014 : InteropHelp.NativeWrapper<ISteamUser014VTable> { [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate Int32 NativeGetHSteamUser( IntPtr thisptr ); public Int32 GetHSteamUser( ) { return this.GetFunction<NativeGetHSteamUser>( this.Functions.GetHSteamUser0 )( this.ObjectAddress ); } [return: MarshalAs(UnmanagedType.I1)] [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate bool NativeBLoggedOn( IntPtr thisptr ); public bool BLoggedOn( ) { return this.GetFunction<NativeBLoggedOn>( this.Functions.BLoggedOn1 )( this.ObjectAddress ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate void NativeGetSteamID( IntPtr thisptr, ref UInt64 retarg ); public CSteamID GetSteamID( ) { UInt64 ret = 0; this.GetFunction<NativeGetSteamID>( this.Functions.GetSteamID2 )( this.ObjectAddress, ref ret ); return new CSteamID(ret); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate Int32 NativeInitiateGameConnectionBICUUB( IntPtr thisptr, Byte[] pAuthBlob, Int32 cbMaxAuthBlob, UInt64 steamIDGameServer, UInt32 unIPServer, UInt16 usPortServer, [MarshalAs(UnmanagedType.I1)] bool bSecure ); public Int32 InitiateGameConnection( Byte[] pAuthBlob, CSteamID steamIDGameServer, UInt32 unIPServer, UInt16 usPortServer, bool bSecure ) { return this.GetFunction<NativeInitiateGameConnectionBICUUB>( this.Functions.InitiateGameConnection3 )( this.ObjectAddress, pAuthBlob, (Int32) pAuthBlob.Length, steamIDGameServer.ConvertToUint64(), unIPServer, usPortServer, bSecure ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate void NativeTerminateGameConnectionUU( IntPtr thisptr, UInt32 unIPServer, UInt16 usPortServer ); public void TerminateGameConnection( UInt32 unIPServer, UInt16 usPortServer ) { this.GetFunction<NativeTerminateGameConnectionUU>( this.Functions.TerminateGameConnection4 )( this.ObjectAddress, unIPServer, usPortServer ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate void NativeTrackAppUsageEventCES( IntPtr thisptr, UInt64 gameID, EAppUsageEvent eAppUsageEvent, string pchExtraInfo ); public void TrackAppUsageEvent( CGameID gameID, EAppUsageEvent eAppUsageEvent, string pchExtraInfo ) { this.GetFunction<NativeTrackAppUsageEventCES>( this.Functions.TrackAppUsageEvent5 )( this.ObjectAddress, gameID.ConvertToUint64(), eAppUsageEvent, pchExtraInfo ); } [return: MarshalAs(UnmanagedType.I1)] [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate bool NativeGetUserDataFolderSI( IntPtr thisptr, StringBuilder pchBuffer, Int32 cubBuffer ); public bool GetUserDataFolder( StringBuilder pchBuffer ) { return this.GetFunction<NativeGetUserDataFolderSI>( this.Functions.GetUserDataFolder6 )( this.ObjectAddress, pchBuffer, (Int32) pchBuffer.Capacity ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate void NativeStartVoiceRecording( IntPtr thisptr ); public void StartVoiceRecording( ) { this.GetFunction<NativeStartVoiceRecording>( this.Functions.StartVoiceRecording7 )( this.ObjectAddress ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate void NativeStopVoiceRecording( IntPtr thisptr ); public void StopVoiceRecording( ) { this.GetFunction<NativeStopVoiceRecording>( this.Functions.StopVoiceRecording8 )( this.ObjectAddress ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate EVoiceResult NativeGetAvailableVoiceUU( IntPtr thisptr, ref UInt32 pcbCompressed, ref UInt32 pcbUncompressed ); public EVoiceResult GetAvailableVoice( ref UInt32 pcbCompressed, ref UInt32 pcbUncompressed ) { return this.GetFunction<NativeGetAvailableVoiceUU>( this.Functions.GetAvailableVoice9 )( this.ObjectAddress, ref pcbCompressed, ref pcbUncompressed ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate EVoiceResult NativeGetVoiceBBUUBBUU( IntPtr thisptr, [MarshalAs(UnmanagedType.I1)] bool bWantCompressed, Byte[] pDestBuffer, UInt32 cbDestBufferSize, ref UInt32 nBytesWritten, [MarshalAs(UnmanagedType.I1)] bool bWantUncompressed, Byte[] pUncompressedDestBuffer, UInt32 cbUncompressedDestBufferSize, ref UInt32 nUncompressBytesWritten ); public EVoiceResult GetVoice( bool bWantCompressed, Byte[] pDestBuffer, ref UInt32 nBytesWritten, bool bWantUncompressed, Byte[] pUncompressedDestBuffer, ref UInt32 nUncompressBytesWritten ) { return this.GetFunction<NativeGetVoiceBBUUBBUU>( this.Functions.GetVoice10 )( this.ObjectAddress, bWantCompressed, pDestBuffer, (UInt32) pDestBuffer.Length, ref nBytesWritten, bWantUncompressed, pUncompressedDestBuffer, (UInt32) pUncompressedDestBuffer.Length, ref nUncompressBytesWritten ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate EVoiceResult NativeDecompressVoiceBUBUU( IntPtr thisptr, Byte[] pCompressed, UInt32 cbCompressed, Byte[] pDestBuffer, UInt32 cbDestBufferSize, ref UInt32 nBytesWritten ); public EVoiceResult DecompressVoice( Byte[] pCompressed, Byte[] pDestBuffer, ref UInt32 nBytesWritten ) { return this.GetFunction<NativeDecompressVoiceBUBUU>( this.Functions.DecompressVoice11 )( this.ObjectAddress, pCompressed, (UInt32) pCompressed.Length, pDestBuffer, (UInt32) pDestBuffer.Length, ref nBytesWritten ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate UInt32 NativeGetAuthSessionTicketBIU( IntPtr thisptr, Byte[] pTicket, Int32 cbMaxTicket, ref UInt32 pcbTicket ); public UInt32 GetAuthSessionTicket( Byte[] pTicket, ref UInt32 pcbTicket ) { return this.GetFunction<NativeGetAuthSessionTicketBIU>( this.Functions.GetAuthSessionTicket12 )( this.ObjectAddress, pTicket, (Int32) pTicket.Length, ref pcbTicket ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate EBeginAuthSessionResult NativeBeginAuthSessionBIC( IntPtr thisptr, Byte[] pAuthTicket, Int32 cbAuthTicket, UInt64 steamID ); public EBeginAuthSessionResult BeginAuthSession( Byte[] pAuthTicket, CSteamID steamID ) { return this.GetFunction<NativeBeginAuthSessionBIC>( this.Functions.BeginAuthSession13 )( this.ObjectAddress, pAuthTicket, (Int32) pAuthTicket.Length, steamID.ConvertToUint64() ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate void NativeEndAuthSessionC( IntPtr thisptr, UInt64 steamID ); public void EndAuthSession( CSteamID steamID ) { this.GetFunction<NativeEndAuthSessionC>( this.Functions.EndAuthSession14 )( this.ObjectAddress, steamID.ConvertToUint64() ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate void NativeCancelAuthTicketU( IntPtr thisptr, UInt32 hAuthTicket ); public void CancelAuthTicket( UInt32 hAuthTicket ) { this.GetFunction<NativeCancelAuthTicketU>( this.Functions.CancelAuthTicket15 )( this.ObjectAddress, hAuthTicket ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate EUserHasLicenseForAppResult NativeUserHasLicenseForAppCU( IntPtr thisptr, UInt64 steamID, UInt32 appID ); public EUserHasLicenseForAppResult UserHasLicenseForApp( CSteamID steamID, UInt32 appID ) { return this.GetFunction<NativeUserHasLicenseForAppCU>( this.Functions.UserHasLicenseForApp16 )( this.ObjectAddress, steamID.ConvertToUint64(), appID ); } [return: MarshalAs(UnmanagedType.I1)] [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate bool NativeBIsBehindNAT( IntPtr thisptr ); public bool BIsBehindNAT( ) { return this.GetFunction<NativeBIsBehindNAT>( this.Functions.BIsBehindNAT17 )( this.ObjectAddress ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate void NativeAdvertiseGameCUU( IntPtr thisptr, UInt64 steamIDGameServer, UInt32 unIPServer, UInt16 usPortServer ); public void AdvertiseGame( CSteamID steamIDGameServer, UInt32 unIPServer, UInt16 usPortServer ) { this.GetFunction<NativeAdvertiseGameCUU>( this.Functions.AdvertiseGame18 )( this.ObjectAddress, steamIDGameServer.ConvertToUint64(), unIPServer, usPortServer ); } [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate UInt64 NativeRequestEncryptedAppTicketBI( IntPtr thisptr, Byte[] pDataToInclude, Int32 cbDataToInclude ); public UInt64 RequestEncryptedAppTicket( Byte[] pDataToInclude ) { return this.GetFunction<NativeRequestEncryptedAppTicketBI>( this.Functions.RequestEncryptedAppTicket19 )( this.ObjectAddress, pDataToInclude, (Int32) pDataToInclude.Length ); } [return: MarshalAs(UnmanagedType.I1)] [UnmanagedFunctionPointer(CallingConvention.ThisCall)] private delegate bool NativeGetEncryptedAppTicketBIU( IntPtr thisptr, Byte[] pTicket, Int32 cbMaxTicket, ref UInt32 pcbTicket ); public bool GetEncryptedAppTicket( Byte[] pTicket, ref UInt32 pcbTicket ) { return this.GetFunction<NativeGetEncryptedAppTicketBIU>( this.Functions.GetEncryptedAppTicket20 )( this.ObjectAddress, pTicket, (Int32) pTicket.Length, ref pcbTicket ); } }; }
59.888889
410
0.808612
[ "MIT" ]
Benramz/SteamBulkActivator
Steam4NET2/autogen/ISteamUser014.cs
10,241
C#
// ------------------------------------------------------------ // Copyright (c) Microsoft Corporation. All rights reserved. // Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. // ------------------------------------------------------------ using System.Collections.Generic; using System.Diagnostics; using System.Linq; using Microsoft.OData.Edm; namespace Microsoft.OpenApi.OData.Edm { /// <summary> /// Provide class for <see cref="ODataPath"/> generating. /// </summary> public class ODataPathProvider : IODataPathProvider { private IDictionary<IEdmEntityType, IList<IEdmNavigationSource>> _allNavigationSources; private IDictionary<IEdmEntityType, IList<ODataPath>> _allNavigationSourcePaths = new Dictionary<IEdmEntityType, IList<ODataPath>>(); private IDictionary<IEdmEntityType, IList<ODataPath>> _allNavigationPropertyPaths = new Dictionary<IEdmEntityType, IList<ODataPath>>(); private IList<ODataPath> _allOperationPaths = new List<ODataPath>(); private IEdmModel _model; /// <summary> /// Can filter the <see cref="IEdmElement"/> or not. /// </summary> /// <param name="element">The Edm element.</param> /// <returns>True/false.</returns> public virtual bool CanFilter(IEdmElement element) => true; /// <summary> /// Generate the list of <see cref="ODataPath"/> based on the given <see cref="IEdmModel"/>. /// </summary> /// <param name="model">The Edm model.</param> /// <returns>The collection of built <see cref="ODataPath"/>.</returns> public virtual IEnumerable<ODataPath> GetPaths(IEdmModel model) { if (model == null || model.EntityContainer == null) { return Enumerable.Empty<ODataPath>(); } Initialize(model); // entity set foreach (IEdmEntitySet entitySet in _model.EntityContainer.EntitySets()) { if (CanFilter(entitySet)) { RetrieveNavigationSourcePaths(entitySet); } } // singleton foreach (IEdmSingleton singleton in _model.EntityContainer.Singletons()) { if (CanFilter(singleton)) { RetrieveNavigationSourcePaths(singleton); } } // bound operations RetrieveBoundOperationPaths(); // unbound operations foreach (IEdmOperationImport import in _model.EntityContainer.OperationImports()) { if (CanFilter(import)) { AppendPath(new ODataPath(new ODataOperationImportSegment(import))); } } return MergePaths(); } /// <summary> /// Initialize the provider. /// </summary> /// <param name="model">The Edm model.</param> protected virtual void Initialize(IEdmModel model) { Debug.Assert(model != null); _model = model; _allNavigationSources = model.LoadAllNavigationSources(); _allNavigationSourcePaths.Clear(); _allNavigationPropertyPaths.Clear(); _allOperationPaths.Clear(); } private IEnumerable<ODataPath> MergePaths() { List<ODataPath> allODataPaths = new List<ODataPath>(); foreach (var item in _allNavigationSourcePaths.Values) { allODataPaths.AddRange(item); } foreach (var item in _allNavigationPropertyPaths.Values) { allODataPaths.AddRange(item); } allODataPaths.AddRange(_allOperationPaths); allODataPaths.Sort(); return allODataPaths; } private void AppendPath(ODataPath path) { Debug.Assert(path != null); ODataPathKind kind = path.Kind; switch(kind) { case ODataPathKind.Entity: case ODataPathKind.EntitySet: case ODataPathKind.Singleton: case ODataPathKind.MediaEntity: ODataNavigationSourceSegment navigationSourceSegment = (ODataNavigationSourceSegment)path.FirstSegment; if (!_allNavigationSourcePaths.TryGetValue(navigationSourceSegment.EntityType, out IList<ODataPath> nsList)) { nsList = new List<ODataPath>(); _allNavigationSourcePaths[navigationSourceSegment.EntityType] = nsList; } nsList.Add(path); break; case ODataPathKind.NavigationProperty: case ODataPathKind.Ref: ODataNavigationPropertySegment navigationPropertySegment = path.Last(p => p is ODataNavigationPropertySegment) as ODataNavigationPropertySegment; if (!_allNavigationPropertyPaths.TryGetValue(navigationPropertySegment.EntityType, out IList<ODataPath> npList)) { npList = new List<ODataPath>(); _allNavigationPropertyPaths[navigationPropertySegment.EntityType] = npList; } npList.Add(path); break; case ODataPathKind.Operation: case ODataPathKind.OperationImport: _allOperationPaths.Add(path); break; default: return; } } /// <summary> /// Retrieve the paths for <see cref="IEdmNavigationSource"/>. /// </summary> /// <param name="navigationSource">The navigation source.</param> private void RetrieveNavigationSourcePaths(IEdmNavigationSource navigationSource) { Debug.Assert(navigationSource != null); // navigation source itself ODataPath path = new ODataPath(new ODataNavigationSourceSegment(navigationSource)); AppendPath(path.Clone()); IEdmEntitySet entitySet = navigationSource as IEdmEntitySet; IEdmEntityType entityType = navigationSource.EntityType(); // for entity set, create a path with key if (entitySet != null) { path.Push(new ODataKeySegment(entityType)); AppendPath(path.Clone()); } // media entity RetrieveMediaEntityStreamPaths(entityType, path); // navigation property foreach (IEdmNavigationProperty np in entityType.DeclaredNavigationProperties()) { if (CanFilter(np)) { RetrieveNavigationPropertyPaths(np, path); } } if (entitySet != null) { path.Pop(); // end of entity } path.Pop(); // end of navigation source. Debug.Assert(path.Any() == false); } /// <summary> /// Retrieves the paths for a media entity stream. /// </summary> /// <param name="entityType">The entity type.</param> /// <param name="currentPath">The current OData path.</param> private void RetrieveMediaEntityStreamPaths(IEdmEntityType entityType, ODataPath currentPath) { Debug.Assert(entityType != null); Debug.Assert(currentPath != null); bool createValuePath = true; foreach (IEdmStructuralProperty sp in entityType.DeclaredStructuralProperties()) { if (sp.Type.AsPrimitive().IsStream()) { currentPath.Push(new ODataStreamPropertySegment(sp.Name)); AppendPath(currentPath.Clone()); currentPath.Pop(); } if (sp.Name.Equals("content", System.StringComparison.OrdinalIgnoreCase)) { createValuePath = false; } } /* Create a /$value path only if entity has stream and * does not contain a structural property named Content */ if (createValuePath && entityType.HasStream) { currentPath.Push(new ODataStreamContentSegment()); AppendPath(currentPath.Clone()); currentPath.Pop(); } } /// <summary> /// Retrieve the path for <see cref="IEdmNavigationProperty"/>. /// </summary> /// <param name="navigationProperty">The navigation property.</param> /// <param name="currentPath">The current OData path.</param> private void RetrieveNavigationPropertyPaths(IEdmNavigationProperty navigationProperty, ODataPath currentPath) { Debug.Assert(navigationProperty != null); Debug.Assert(currentPath != null); // test the expandable for the navigation property. bool shouldExpand = ShouldExpandNavigationProperty(navigationProperty, currentPath); // append a navigation property. currentPath.Push(new ODataNavigationPropertySegment(navigationProperty)); AppendPath(currentPath.Clone()); if (!navigationProperty.ContainsTarget) { // Non-Contained // Single-Valued: DELETE ~/entityset/{key}/single-valued-Nav/$ref // collection-valued: DELETE ~/entityset/{key}/collection-valued-Nav/$ref?$id ={ navKey} ODataPath newPath = currentPath.Clone(); newPath.Push(ODataRefSegment.Instance); // $ref AppendPath(newPath); } else { IEdmEntityType navEntityType = navigationProperty.ToEntityType(); // append a navigation property key. if (navigationProperty.TargetMultiplicity() == EdmMultiplicity.Many) { currentPath.Push(new ODataKeySegment(navEntityType)); AppendPath(currentPath.Clone()); if (!navigationProperty.ContainsTarget) { // TODO: Shall we add "$ref" after {key}, and only support delete? // ODataPath newPath = currentPath.Clone(); // newPath.Push(ODataRefSegment.Instance); // $ref // AppendPath(newPath); } } if (shouldExpand) { // expand to sub navigation properties foreach (IEdmNavigationProperty subNavProperty in navEntityType.DeclaredNavigationProperties()) { if (CanFilter(subNavProperty)) { RetrieveNavigationPropertyPaths(subNavProperty, currentPath); } } } // Get possible navigation property stream paths RetrieveMediaEntityStreamPaths(navEntityType, currentPath); if (navigationProperty.TargetMultiplicity() == EdmMultiplicity.Many) { currentPath.Pop(); } } currentPath.Pop(); } private bool ShouldExpandNavigationProperty(IEdmNavigationProperty navigationProperty, ODataPath currentPath) { Debug.Assert(navigationProperty != null); Debug.Assert(currentPath != null); // not expand for the non-containment. if (!navigationProperty.ContainsTarget) { return false; } // check the type is visited before, if visited, not expand it. IEdmEntityType navEntityType = navigationProperty.ToEntityType(); foreach (ODataSegment segment in currentPath) { if (navEntityType.IsAssignableFrom(segment.EntityType)) { return false; } } // check whether the navigation type used to define a navigation source. // if so, not expand it. return !_allNavigationSources.ContainsKey(navEntityType); } /// <summary> /// Retrieve all bounding <see cref="IEdmOperation"/>. /// </summary> private void RetrieveBoundOperationPaths() { foreach (var edmOperation in _model.SchemaElements.OfType<IEdmOperation>().Where(e => e.IsBound)) { if (!CanFilter(edmOperation)) { continue; } IEdmOperationParameter bindingParameter = edmOperation.Parameters.First(); IEdmTypeReference bindingType = bindingParameter.Type; bool isCollection = bindingType.IsCollection(); if (isCollection) { bindingType = bindingType.AsCollection().ElementType(); } if (!bindingType.IsEntity()) { continue; } var firstEntityType = bindingType.AsEntity().EntityDefinition(); var allEntitiesForOperation= new List<IEdmEntityType>(){ firstEntityType }; System.Func<IEdmNavigationSource, bool> filter = (z) => z.EntityType() != firstEntityType && z.EntityType().FindAllBaseTypes().Contains(firstEntityType); //Search all EntitySets allEntitiesForOperation.AddRange( _model.EntityContainer.EntitySets() .Where(filter).Select(x => x.EntityType()) ); //Search all singletons allEntitiesForOperation.AddRange( _model.EntityContainer.Singletons() .Where(filter).Select(x => x.EntityType()) ); allEntitiesForOperation = allEntitiesForOperation.Distinct().ToList(); foreach (var bindingEntityType in allEntitiesForOperation) { // 1. Search for corresponding navigation source path if (AppendBoundOperationOnNavigationSourcePath(edmOperation, isCollection, bindingEntityType)) { continue; } // 2. Search for generated navigation property if (AppendBoundOperationOnNavigationPropertyPath(edmOperation, isCollection, bindingEntityType)) { continue; } // 3. Search for derived if (AppendBoundOperationOnDerived(edmOperation, isCollection, bindingEntityType)) { continue; } } } } private bool AppendBoundOperationOnNavigationSourcePath(IEdmOperation edmOperation, bool isCollection, IEdmEntityType bindingEntityType) { bool found = false; if (_allNavigationSourcePaths.TryGetValue(bindingEntityType, out IList<ODataPath> value)) { bool isEscapedFunction = _model.IsUrlEscapeFunction(edmOperation); foreach (var subPath in value) { if ((isCollection && subPath.Kind == ODataPathKind.EntitySet) || (!isCollection && subPath.Kind != ODataPathKind.EntitySet && subPath.Kind != ODataPathKind.MediaEntity)) { ODataPath newPath = subPath.Clone(); newPath.Push(new ODataOperationSegment(edmOperation, isEscapedFunction)); AppendPath(newPath); found = true; } } } return found; } private bool AppendBoundOperationOnNavigationPropertyPath(IEdmOperation edmOperation, bool isCollection, IEdmEntityType bindingEntityType) { bool found = false; bool isEscapedFunction = _model.IsUrlEscapeFunction(edmOperation); if (_allNavigationPropertyPaths.TryGetValue(bindingEntityType, out IList<ODataPath> value)) { foreach (var path in value) { if (path.Kind == ODataPathKind.Ref) { continue; } ODataNavigationPropertySegment npSegment = path.Segments.Last(s => s is ODataNavigationPropertySegment) as ODataNavigationPropertySegment; bool isLastKeySegment = path.LastSegment is ODataKeySegment; if (isCollection) { if (isLastKeySegment) { continue; } if (npSegment.NavigationProperty.TargetMultiplicity() != EdmMultiplicity.Many) { continue; } } else { if (!isLastKeySegment && npSegment.NavigationProperty.TargetMultiplicity() == EdmMultiplicity.Many) { continue; } } ODataPath newPath = path.Clone(); newPath.Push(new ODataOperationSegment(edmOperation, isEscapedFunction)); AppendPath(newPath); found = true; } } return found; } private bool AppendBoundOperationOnDerived(IEdmOperation edmOperation, bool isCollection, IEdmEntityType bindingEntityType) { bool found = false; bool isEscapedFunction = _model.IsUrlEscapeFunction(edmOperation); foreach (var baseType in bindingEntityType.FindAllBaseTypes()) { if (_allNavigationSources.TryGetValue(baseType, out IList<IEdmNavigationSource> baseNavigationSource)) { foreach (var ns in baseNavigationSource) { if (isCollection) { if (ns is IEdmEntitySet) { ODataPath newPath = new ODataPath(new ODataNavigationSourceSegment(ns), new ODataTypeCastSegment(bindingEntityType), new ODataOperationSegment(edmOperation, isEscapedFunction)); AppendPath(newPath); found = true; } } else { if (ns is IEdmSingleton) { ODataPath newPath = new ODataPath(new ODataNavigationSourceSegment(ns), new ODataTypeCastSegment(bindingEntityType), new ODataOperationSegment(edmOperation, isEscapedFunction)); AppendPath(newPath); found = true; } else { ODataPath newPath = new ODataPath(new ODataNavigationSourceSegment(ns), new ODataKeySegment(ns.EntityType()), new ODataTypeCastSegment(bindingEntityType), new ODataOperationSegment(edmOperation, isEscapedFunction)); AppendPath(newPath); found = true; } } } } } return found; } } }
38.763258
158
0.52118
[ "MIT" ]
microsoftgraph/OpenAPI.NET.OData
src/Microsoft.OpenApi.OData.Reader/Edm/ODataPathProvider.cs
20,467
C#
namespace Rest.ClientRuntime.Test.JsonRpc { public sealed class Error { public int code { get; set; } public string message { get; set; } public object data { get; set; } } }
21.3
43
0.586854
[ "Apache-2.0" ]
brywang-msft/rest-client-runtime-test-net-poc
Rest.ClientRuntime.Test/Rest.ClientRuntime.Test/JsonRpc/Error.cs
215
C#
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace ZenPlayer { static class MyExtensions { private static Random rng = new Random(); // Courtesy https://stackoverflow.com/a/1262619/415551 public static void Shuffle<T>(this IList<T> list) { int n = list.Count; while (n > 1) { n--; int k = rng.Next(n + 1); T value = list[k]; list[k] = list[n]; list[n] = value; } } } }
22.392857
62
0.499203
[ "MIT" ]
jwalthour/morse_player
ZenPlayer/ZenPlayer/MyExtensions.cs
629
C#
using UnityEngine; using System.Collections; using UnityEngine.UI; public class EnviromentManager : MonoBehaviour { public static EnviromentManager _instance; public GameObject currentEnviroment; public GameObject enviromentContainer; public GameObject cameraContainer; public GameObject fadePanelSamsung; public GameObject fadePanelGoogle; private GameObject currentFadePanel; public bool thunderTriggerFlag=false; // Use this for initialization void Start () { if(_instance==null){ _instance=this; } hideEnviromentsOnStart(currentEnviroment); if(fadePanelSamsung.transform.parent.transform.parent.gameObject.active){ fadePanelSamsung.SetActive(true); currentFadePanel=fadePanelSamsung; print("Samsung Panel"); }else{ fadePanelGoogle.SetActive(true); currentFadePanel=fadePanelGoogle; print("Google Panel"); } StartCoroutine(doFadeOutPanel(currentEnviroment)); } // Update is called once per frame void Update () { if(currentEnviroment.GetComponent<Enviroment>().thunderFlag && !thunderTriggerFlag){ StartCoroutine(tunderEffect(currentEnviroment)); } } IEnumerator doFadeOutPanel(GameObject newCurrectEnviroment){ float seconds=0.75f; gameObject.GetComponents<AudioSource>()[0].Play(); currentFadePanel.GetComponent<Image>().CrossFadeAlpha(1,seconds,false); yield return new WaitForSeconds(seconds); currentEnviroment.SetActive(false); currentEnviroment=newCurrectEnviroment; changeCameraPosition(newCurrectEnviroment); currentFadePanel.GetComponent<Image>().CrossFadeAlpha(0,seconds,false); yield return null; } public void hideEnviromentsOnStart(GameObject cEnviroment){ foreach (Transform child in enviromentContainer.transform) { child.transform.gameObject.SetActive(false); } cEnviroment.SetActive(true); changeCameraPosition(cEnviroment); } public void changeCurrentEnviroment(GameObject newCurrectEnviroment){ StartCoroutine(doFadeOutPanel(newCurrectEnviroment)); } IEnumerator tunderEffect(GameObject newCurrectEnviroment){ thunderTriggerFlag=true; float thunderChance=35; if(Random.Range(0,100)<thunderChance ){ int counter=0; int counterMax=20; float waitMin=0.1f; float waitMax=0.3f; float wait=0.3f; float exposureMin=1f; float exposureMax=1.5f; float exposure=0.3f; yield return new WaitForSeconds(2); gameObject.GetComponents<AudioSource>()[1].Play(); while(counter<counterMax){ wait=Random.Range(waitMin,waitMax); exposure=Random.Range(exposureMin,exposureMax); newCurrectEnviroment.GetComponent<Renderer>().material.SetFloat("_Exposure",exposure); yield return new WaitForSeconds(wait); counter++; } newCurrectEnviroment.GetComponent<Renderer>().material.SetFloat("_Exposure",1); } yield return new WaitForSeconds(5); thunderTriggerFlag=false; yield return null; } public static EnviromentManager getInstance(){ return _instance; } public void changeCameraPosition(GameObject envi){ print("Change Enviroment"); Vector3 enviPos=envi.gameObject.transform.position; cameraContainer.transform.position=new Vector3(enviPos.x,enviPos.y,enviPos.z); envi.SetActive(true); } }
28.963636
90
0.776208
[ "MIT" ]
gdeioannes/VRLilyGarafulicMuseum
Assets/Scripts/EnviromentManager.cs
3,188
C#
using Microsoft.VisualStudio.TestTools.UnitTesting; namespace FinSharp.AlphaVantage.Tests { [TestClass] public class UnitTest1 { [TestMethod] public void TestMethod1() { } } }
16.071429
51
0.622222
[ "MIT" ]
klinki/finsharp
FinSharp.AlphaVantage/FinSharp.AlphaVantage.Tests/UnitTest1.cs
225
C#
using Microsoft.Extensions.Configuration; using Surging.Cloud.CPlatform; using Surging.Cloud.CPlatform.Exceptions; namespace Surging.Hero.Auth.Domain.Tenants { public class TenantConfigProvider : ITenantConfigProvider { public TenantConfig Get() { if (AppConfig.Configuration == null) { throw new BusinessException("获取配置文件失败"); } var tenantConfigSection = AppConfig.GetSection("Tenant"); if (tenantConfigSection == null) { throw new BusinessException("不存在默认租户账号配置项节点"); } return tenantConfigSection.Get<TenantConfig>(); } } }
28.833333
69
0.608382
[ "MIT" ]
liuhll/hero
src/Services/Auth/Surging.Hero.Auth.Domain/Tenants/TenantConfigProvider.cs
738
C#
using System; using System.Runtime.InteropServices; using VulkanCore.Khr; namespace VulkanCore.Mvk { /// <summary> /// Provides Brenwill Workshop specific extension methods for the <see cref="Instance"/> class. /// </summary> public static unsafe class InstanceExtensions { /// <summary> /// Create a <see cref="SurfaceKhr"/> object for an iOS UIView. /// </summary> /// <param name="instance">The instance with which to associate the surface.</param> /// <param name="createInfo"> /// Structure containing parameters affecting the creation of the surface object. /// </param> /// <param name="allocator"> /// The allocator used for host memory allocated for the surface object when there is no more /// specific allocator available /// </param> /// <returns>The created surface object.</returns> /// <exception cref="VulkanException">Vulkan returns an error code.</exception> public static SurfaceKhr CreateIOSSurfaceMvk(this Instance instance, IOSSurfaceCreateInfoMvk createInfo, AllocationCallbacks? allocator = null) { createInfo.Prepare(); AllocationCallbacks.Native* nativeAllocator = null; if (allocator.HasValue) { nativeAllocator = (AllocationCallbacks.Native*)Interop.Alloc<AllocationCallbacks.Native>(); allocator.Value.ToNative(nativeAllocator); } long handle; Result result = vkCreateIOSSurfaceMVK(instance)(instance, &createInfo, nativeAllocator, &handle); Interop.Free(nativeAllocator); VulkanException.ThrowForInvalidResult(result); return new SurfaceKhr(instance, ref allocator, handle); } /// <summary> /// Create a <see cref="SurfaceKhr"/> object for a macOS NSView. /// </summary> /// <param name="instance">The instance with which to associate the surface.</param> /// <param name="createInfo"> /// Structure containing parameters affecting the creation of the surface object. /// </param> /// <param name="allocator"> /// The allocator used for host memory allocated for the surface object when there is no more /// specific allocator available. /// </param> /// <returns>The created surface object.</returns> /// <exception cref="VulkanException">Vulkan returns an error code.</exception> public static SurfaceKhr CreateMacOSSurfaceMvk(this Instance instance, MacOSSurfaceCreateInfoMvk createInfo, AllocationCallbacks? allocator = null) { createInfo.Prepare(); AllocationCallbacks.Native* nativeAllocator = null; if (allocator.HasValue) { nativeAllocator = (AllocationCallbacks.Native*)Interop.Alloc<AllocationCallbacks.Native>(); allocator.Value.ToNative(nativeAllocator); } long handle; Result result = vkCreateMacOSSurfaceMVK(instance)(instance, &createInfo, nativeAllocator, &handle); Interop.Free(nativeAllocator); VulkanException.ThrowForInvalidResult(result); return new SurfaceKhr(instance, ref allocator, handle); } private delegate Result vkCreateIOSSurfaceMVKDelegate(IntPtr instance, IOSSurfaceCreateInfoMvk* createInfo, AllocationCallbacks.Native* allocator, long* surface); private static vkCreateIOSSurfaceMVKDelegate vkCreateIOSSurfaceMVK(Instance instance) => instance.GetProc<vkCreateIOSSurfaceMVKDelegate>(nameof(vkCreateIOSSurfaceMVK)); private delegate Result vkCreateMacOSSurfaceMVKDelegate(IntPtr instance, MacOSSurfaceCreateInfoMvk* createInfo, AllocationCallbacks.Native* allocator, long* surface); private static vkCreateMacOSSurfaceMVKDelegate vkCreateMacOSSurfaceMVK(Instance instance) => instance.GetProc<vkCreateMacOSSurfaceMVKDelegate>(nameof(vkCreateMacOSSurfaceMVK)); } /// <summary> /// Structure specifying parameters of a newly created iOS surface object. /// </summary> [StructLayout(LayoutKind.Sequential)] public struct IOSSurfaceCreateInfoMvk { internal StructureType Type; /// <summary> /// Is <see cref="IntPtr.Zero"/> or a pointer to an extension-specific structure. /// </summary> public IntPtr Next; internal IOSSurfaceCreateFlagsMvk Flags; /// <summary> /// Must be a valid <c>UIView</c> and must be backed by a <c>CALayer</c> instance of type <c>CAMetalLayer</c>. /// </summary> public IntPtr View; internal void Prepare() { Type = StructureType.IOSSurfaceCreateInfoMvk; } } /// Is reserved for future use. [Flags] internal enum IOSSurfaceCreateFlagsMvk { None = 0 } /// <summary> /// Structure specifying parameters of a newly created macOS surface object. /// </summary> [StructLayout(LayoutKind.Sequential)] public struct MacOSSurfaceCreateInfoMvk { internal StructureType Type; /// <summary> /// Is <see cref="IntPtr.Zero"/> or a pointer to an extension-specific structure. /// </summary> public IntPtr Next; internal MacOSSurfaceCreateFlagsMvk Flags; /// <summary> /// Must be a valid <c>NSView</c> and must be backed by a <c>CALayer</c> instance of type <c>CAMetalLayer</c>. /// </summary> public IntPtr View; /// <summary> /// Initializes a new instance of the <see cref="MacOSSurfaceCreateInfoMvk"/> structure. /// </summary> /// <param name="view">Pointer to a <c>NSView</c> that is backed by a <c>CALayer</c> instance of type <c>CAMetalLayer</c>.</param> public MacOSSurfaceCreateInfoMvk(IntPtr view) { View = view; Type = StructureType.MacOSSurfaceCreateInfoMvk; Next = IntPtr.Zero; Flags = 0; } internal void Prepare() { Type = StructureType.MacOSSurfaceCreateInfoMvk; } } /// Is reserved for future use. [Flags] internal enum MacOSSurfaceCreateFlagsMvk { None = 0 } }
39.03681
184
0.639321
[ "MIT" ]
BastianBlokland/hellotriangle-dotnet
vulkancore/src/Mvk/InstanceExtensions.cs
6,365
C#
#region S# License /****************************************************************************************** NOTICE!!! This program and source code is owned and licensed by StockSharp, LLC, www.stocksharp.com Viewing or use of this code requires your acceptance of the license agreement found at https://github.com/StockSharp/StockSharp/blob/master/LICENSE Removal of this comment is a violation of the license agreement. Project: StockSharp.BusinessEntities.BusinessEntities File: SecurityExternalId.cs Created: 2015, 11, 11, 2:32 PM Copyright 2010 by StockSharp, LLC *******************************************************************************************/ #endregion S# License namespace StockSharp.BusinessEntities { using System; using System.ComponentModel; using System.Runtime.Serialization; using Ecng.Common; using Ecng.ComponentModel; using Ecng.Serialization; using StockSharp.Localization; /// <summary> /// Security IDs in other systems. /// </summary> [Serializable] [System.Runtime.Serialization.DataContract] [DisplayNameLoc(LocalizedStrings.IdentifiersKey)] [DescriptionLoc(LocalizedStrings.Str603Key)] public class SecurityExternalId : NotifiableObject, ICloneable<SecurityExternalId>, IEquatable<SecurityExternalId> { private string _sedol; private string _cusip; private string _isin; private string _ric; private string _bloomberg; private string _iqFeed; private int? _interactiveBrokers; private string _plaza; /// <summary> /// Initializes a new instance of the <see cref="SecurityExternalId"/>. /// </summary> public SecurityExternalId() { } /// <summary> /// ID in SEDOL format (Stock Exchange Daily Official List). /// </summary> [DataMember] [DisplayName("SEDOL")] [DescriptionLoc(LocalizedStrings.Str351Key)] public string Sedol { get => _sedol; set { _sedol = value; NotifyChanged(nameof(Sedol)); } } /// <summary> /// ID in CUSIP format (Committee on Uniform Securities Identification Procedures). /// </summary> [DataMember] [DisplayName("CUSIP")] [DescriptionLoc(LocalizedStrings.Str352Key)] public string Cusip { get => _cusip; set { _cusip = value; NotifyChanged(nameof(Cusip)); } } /// <summary> /// ID in ISIN format (International Securities Identification Number). /// </summary> [DataMember] [DisplayName("ISIN")] [DescriptionLoc(LocalizedStrings.Str353Key)] public string Isin { get => _isin; set { _isin = value; NotifyChanged(nameof(Isin)); } } /// <summary> /// ID in RIC format (Reuters Instrument Code). /// </summary> [DataMember] [DisplayName("RIC")] [DescriptionLoc(LocalizedStrings.Str354Key)] public string Ric { get => _ric; set { _ric = value; NotifyChanged(nameof(Ric)); } } /// <summary> /// ID in Bloomberg format. /// </summary> [DataMember] [DisplayName("Bloomberg")] [DescriptionLoc(LocalizedStrings.Str355Key)] public string Bloomberg { get => _bloomberg; set { _bloomberg = value; NotifyChanged(nameof(Bloomberg)); } } /// <summary> /// ID in IQFeed format. /// </summary> [DataMember] [DisplayName("IQFeed")] [DescriptionLoc(LocalizedStrings.Str356Key)] public string IQFeed { get => _iqFeed; set { _iqFeed = value; NotifyChanged(nameof(IQFeed)); } } /// <summary> /// ID in Interactive Brokers format. /// </summary> [DataMember] [DisplayName("Interactive Brokers")] [DescriptionLoc(LocalizedStrings.Str357Key)] [Nullable] public int? InteractiveBrokers { get => _interactiveBrokers; set { _interactiveBrokers = value; NotifyChanged(nameof(InteractiveBrokers)); } } /// <summary> /// ID in Plaza format. /// </summary> [DataMember] [DisplayName("Plaza")] [DescriptionLoc(LocalizedStrings.Str358Key)] public string Plaza { get => _plaza; set { _plaza = value; NotifyChanged(nameof(Plaza)); } } /// <summary> /// Create a copy of <see cref="SecurityExternalId"/>. /// </summary> /// <returns>Copy.</returns> public SecurityExternalId Clone() { return new SecurityExternalId { Bloomberg = Bloomberg, Cusip = Cusip, IQFeed = IQFeed, Isin = Isin, Ric = Ric, Sedol = Sedol, InteractiveBrokers = InteractiveBrokers, Plaza = Plaza, }; } /// <summary> /// Creates a new object that is a copy of the current instance. /// </summary> /// <returns> /// A new object that is a copy of this instance. /// </returns> object ICloneable.Clone() { return Clone(); } /// <summary> /// Returns a string that represents the current object. /// </summary> /// <returns>A string that represents the current object.</returns> public override string ToString() { var str = string.Empty; if (!Bloomberg.IsEmpty()) str += " Bloom {0}".Put(Bloomberg); if (!Cusip.IsEmpty()) str += " CUSIP {0}".Put(Cusip); if (!IQFeed.IsEmpty()) str += " IQFeed {0}".Put(IQFeed); if (!Isin.IsEmpty()) str += " ISIN {0}".Put(Isin); if (!Ric.IsEmpty()) str += " RIC {0}".Put(Ric); if (!Sedol.IsEmpty()) str += " SEDOL {0}".Put(Sedol); if (InteractiveBrokers != null) str += " InteractiveBrokers {0}".Put(InteractiveBrokers); if (!Plaza.IsEmpty()) str += " Plaza {0}".Put(Plaza); return str; } /// <inheritdoc /> public override int GetHashCode() { return base.GetHashCode(); } /// <summary> /// Compare <see cref="SecurityExternalId"/> on the equivalence. /// </summary> /// <param name="other">Another value with which to compare.</param> /// <returns><see langword="true" />, if the specified object is equal to the current object, otherwise, <see langword="false" />.</returns> public override bool Equals(object other) { return Equals((SecurityExternalId)other); } /// <inheritdoc /> public bool Equals(SecurityExternalId other) { if (ReferenceEquals(other, null)) return false; if (Bloomberg != other.Bloomberg) return false; if (Cusip != other.Cusip) return false; if (IQFeed != other.IQFeed) return false; if (Isin != other.Isin) return false; if (Ric != other.Ric) return false; if (Sedol != other.Sedol) return false; if (InteractiveBrokers != other.InteractiveBrokers) return false; if (Plaza != other.Plaza) return false; return true; } /// <summary> /// Compare the inequality of two identifiers. /// </summary> /// <param name="left">Left operand.</param> /// <param name="right">Right operand.</param> /// <returns><see langword="true" />, if identifiers are equal, otherwise, <see langword="false" />.</returns> public static bool operator !=(SecurityExternalId left, SecurityExternalId right) { return !(left == right); } /// <summary> /// Compare two identifiers for equality. /// </summary> /// <param name="left">Left operand.</param> /// <param name="right">Right operand.</param> /// <returns><see langword="true" />, if the specified identifiers are equal, otherwise, <see langword="false" />.</returns> public static bool operator ==(SecurityExternalId left, SecurityExternalId right) { return left?.Equals(right) == true; } } }
23.154088
142
0.638598
[ "Apache-2.0" ]
1M15M3/StockSharp
BusinessEntities/SecurityExternalId.cs
7,363
C#
/* * Original author: Brendan MacLean <brendanx .at. u.washington.edu>, * MacCoss Lab, Department of Genome Sciences, UW * * Copyright 2009 University of Washington - Seattle, WA * * 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; using System.Collections.Generic; using System.Globalization; using System.IO; using System.Linq; using Microsoft.VisualStudio.TestTools.UnitTesting; using pwiz.Common.SystemUtil; using pwiz.ProteowizardWrapper; using pwiz.Skyline.Alerts; using pwiz.Skyline.Controls; using pwiz.Skyline.Controls.Databinding; using pwiz.Skyline.Controls.Graphs; using pwiz.Skyline.FileUI; using pwiz.Skyline.Model; using pwiz.Skyline.Model.DocSettings; using pwiz.Skyline.Model.Optimization; using pwiz.Skyline.Model.Results; using pwiz.Skyline.Properties; using pwiz.Skyline.SettingsUI; using pwiz.Skyline.SettingsUI.Optimization; using pwiz.Skyline.Util; using pwiz.Skyline.Util.Extensions; using pwiz.SkylineTestUtil; namespace pwiz.SkylineTestFunctional { /// <summary> /// Functional test for CE Optimization. /// </summary> [TestClass] public class OptimizeTest : AbstractFunctionalTestEx { private bool AsSmallMolecules; [TestMethod] public void TestOptimization() { AsSmallMolecules = false; TestFilesZip = @"TestFunctional\OptimizeTest.zip"; RunFunctionalTest(); } [TestMethod] public void TestOptimizationAsSmallMolecules () { AsSmallMolecules = true; TestFilesZip = @"TestFunctional\OptimizeTest.zip"; RunFunctionalTest(); } protected override void DoTest() { if (AsSmallMolecules && !RunSmallMoleculeTestVersions) { Console.Write(MSG_SKIPPING_SMALLMOLECULE_TEST_VERSION); return; } CEOptimizationTest(); OptLibNeutralLossTest(); CovOptimizationTest(); Assert.IsFalse(IsCovRecordMode); // Make sure no commits with this set to true } /// <summary> /// Test CE optimization. Creates optimization transition lists, /// imports optimization data, shows graphs, recalculates linear equations, /// and exports optimized method. /// </summary> private void CEOptimizationTest() { // Remove all results files with the wrong extension for the current locale foreach (var fileName in Directory.GetFiles(TestFilesDir.FullPath, "*_REP*.*", SearchOption.AllDirectories)) { if (!PathEx.HasExtension(fileName, ExtensionTestContext.ExtThermoRaw)) FileEx.SafeDelete(fileName); } // Open the .sky file string documentPath = TestFilesDir.GetTestPath("CE_Vantage_15mTorr_scheduled_mini.sky"); RunUI(() => SkylineWindow.OpenFile(documentPath)); if (AsSmallMolecules) { ConvertDocumentToSmallMolecules(); } string filePath = TestFilesDir.GetTestPath("OptimizeCE.csv"); ExportCEOptimizingTransitionList(filePath); // Create new CE regression for different transition list var docCurrent = SkylineWindow.Document; var transitionSettingsUI1 = ShowDialog<TransitionSettingsUI>(SkylineWindow.ShowTransitionSettingsUI); var editList = ShowDialog<EditListDlg<SettingsListBase<CollisionEnergyRegression>, CollisionEnergyRegression>>(transitionSettingsUI1.EditCEList); RunUI(() => editList.SelectItem("Thermo")); var editCE = ShowDialog<EditCEDlg>(editList.CopyItem); const string newCEName = "Thermo (Wide CE)"; const double newStepSize = 2; const int newStepCount = 3; RunUI(() => { editCE.Regression = (CollisionEnergyRegression) editCE.Regression .ChangeStepSize(newStepSize) .ChangeStepCount(newStepCount) .ChangeName(newCEName); }); OkDialog(editCE, editCE.OkDialog); OkDialog(editList, editList.OkDialog); RunUI(() => { transitionSettingsUI1.RegressionCEName = newCEName; }); OkDialog(transitionSettingsUI1, transitionSettingsUI1.OkDialog); WaitForDocumentChange(docCurrent); // Make sure new settings are in document var newRegression = SkylineWindow.Document.Settings.TransitionSettings.Prediction.CollisionEnergy; Assert.AreEqual(newCEName, newRegression.Name); Assert.AreEqual(newStepSize, newRegression.StepSize); Assert.AreEqual(newStepCount, newRegression.StepCount); // Save a new optimization transition list with the new settings ExportCEOptimizingTransitionList(filePath); // Undo the change of CE regression RunUI(SkylineWindow.Undo); // Test optimization library docCurrent = SkylineWindow.Document; // Open transition settings and add new optimization library var transitionSettingsUIOpt = ShowDialog<TransitionSettingsUI>(SkylineWindow.ShowTransitionSettingsUI); var editOptLibLoadExisting = ShowDialog<EditOptimizationLibraryDlg>(transitionSettingsUIOpt.AddToOptimizationLibraryList); // Load from existing file const string existingLibName = "Test load existing library"; var duplicatesOptdb = AsSmallMolecules ? "DuplicatesSmallMol.optdb" : "Duplicates.optdb"; RunUI(() => { editOptLibLoadExisting.OpenDatabase(TestFilesDir.GetTestPath(duplicatesOptdb)); editOptLibLoadExisting.LibName = existingLibName; }); OkDialog(editOptLibLoadExisting, editOptLibLoadExisting.OkDialog); // Add new optimization library var editOptLib = ShowDialog<EditOptimizationLibraryDlg>(transitionSettingsUIOpt.AddToOptimizationLibraryList); string optLibPath = TestFilesDir.GetTestPath(AsSmallMolecules ? "OptimizedSmallMol.optdb" : "Optimized.optdb"); string pasteText = TextUtil.LineSeparate( GetPasteLine("TPEVDDEALEK", 2, "y9", 1, 122.50606), GetPasteLine("DGGIDPLVR", 2, "y6", 1, 116.33671), GetPasteLine("AAA", 5, "y1", 2, 5.0), GetPasteLine("AAC", 5, "y2", 2, 5.0)); RunUI(() => { editOptLib.CreateDatabase(optLibPath); editOptLib.LibName = "Test optimized library"; SetClipboardText(pasteText); }); var addOptDlg = ShowDialog<AddOptimizationsDlg>(editOptLib.DoPasteLibrary); OkDialog(addOptDlg, addOptDlg.OkDialog); // Add duplicates and skip existing // "AAA, +5", "y1++", "5.0" // "AAC, +5", "y2++", "10.0" var addOptDbDlgSkip = ShowDialog<AddOptimizationLibraryDlg>(editOptLib.AddOptimizationDatabase); RunUI(() => { addOptDbDlgSkip.Source = OptimizationLibrarySource.settings; addOptDbDlgSkip.SetLibrary(existingLibName); }); var addOptDlgAskSkip = ShowDialog<AddOptimizationsDlg>(addOptDbDlgSkip.OkDialog); Assert.AreEqual(0, addOptDlgAskSkip.OptimizationsCount); Assert.AreEqual(1, addOptDlgAskSkip.ExistingOptimizationsCount); RunUI(() => addOptDlgAskSkip.Action = AddOptimizationsAction.skip); OkDialog(addOptDlgAskSkip, addOptDlgAskSkip.OkDialog); var target_AAC = GetTarget("AAC"); Assert.AreEqual(5.0, editOptLib.GetCEOptimization(target_AAC, GetAdduct(5), "y2", GetAdduct(2)).Value); // Add duplicates and average existing var addOptDbDlgAvg = ShowDialog<AddOptimizationLibraryDlg>(editOptLib.AddOptimizationDatabase); RunUI(() => { addOptDbDlgAvg.Source = OptimizationLibrarySource.file; addOptDbDlgAvg.FilePath = TestFilesDir.GetTestPath(duplicatesOptdb); }); var addOptDlgAskAvg = ShowDialog<AddOptimizationsDlg>(addOptDbDlgAvg.OkDialog); Assert.AreEqual(0, addOptDlgAskAvg.OptimizationsCount); Assert.AreEqual(1, addOptDlgAskAvg.ExistingOptimizationsCount); RunUI(() => addOptDlgAskAvg.Action = AddOptimizationsAction.average); OkDialog(addOptDlgAskAvg, addOptDlgAskAvg.OkDialog); Assert.AreEqual(7.5, editOptLib.GetCEOptimization(target_AAC, GetAdduct(5), "y2", GetAdduct(2)).Value); // Add duplicates and replace existing var addOptDbDlgReplace = ShowDialog<AddOptimizationLibraryDlg>(editOptLib.AddOptimizationDatabase); RunUI(() => { addOptDbDlgReplace.Source = OptimizationLibrarySource.file; addOptDbDlgReplace.FilePath = TestFilesDir.GetTestPath(duplicatesOptdb); }); var addOptDlgAskReplace = ShowDialog<AddOptimizationsDlg>(addOptDbDlgReplace.OkDialog); Assert.AreEqual(0, addOptDlgAskReplace.OptimizationsCount); Assert.AreEqual(1, addOptDlgAskReplace.ExistingOptimizationsCount); RunUI(() => addOptDlgAskReplace.Action = AddOptimizationsAction.replace); OkDialog(addOptDlgAskReplace, addOptDlgAskReplace.OkDialog); Assert.AreEqual(10.0, editOptLib.GetCEOptimization(target_AAC, GetAdduct(5), "y2", GetAdduct(2)).Value); // Try to add unconvertible old format optimization library var addOptDbUnconvertible = ShowDialog<AddOptimizationLibraryDlg>(editOptLib.AddOptimizationDatabase); RunUI(() => { addOptDbUnconvertible.Source = OptimizationLibrarySource.file; addOptDbUnconvertible.FilePath = TestFilesDir.GetTestPath("OldUnconvertible.optdb"); }); OkDialog(addOptDbUnconvertible, addOptDbUnconvertible.OkDialog); var errorDlg = WaitForOpenForm<MessageDlg>(); AssertEx.AreComparableStrings(Resources.OptimizationDb_ConvertFromOldFormat_Failed_to_convert__0__optimizations_to_new_format_, errorDlg.Message, 1); OkDialog(errorDlg, errorDlg.OkDialog); // Try to add convertible old format optimization library var addOptDbConvertible = ShowDialog<AddOptimizationLibraryDlg>(editOptLib.AddOptimizationDatabase); RunUI(() => { addOptDbConvertible.Source = OptimizationLibrarySource.file; addOptDbConvertible.FilePath = TestFilesDir.GetTestPath("OldConvertible.optdb"); }); var addOptDlgAskConverted = ShowDialog<AddOptimizationsDlg>(addOptDbConvertible.OkDialog); Assert.AreEqual(AsSmallMolecules ? 111 : 109, addOptDlgAskConverted.OptimizationsCount); Assert.AreEqual(AsSmallMolecules ? 0 : 2, addOptDlgAskConverted.ExistingOptimizationsCount); RunUI(addOptDlgAskConverted.CancelDialog); // Done editing optimization library OkDialog(editOptLib, editOptLib.OkDialog); OkDialog(transitionSettingsUIOpt, transitionSettingsUIOpt.OkDialog); WaitForDocumentChange(docCurrent); string optLibExportPath = TestFilesDir.GetTestPath("OptLib.csv"); ExportCETransitionList(optLibExportPath, null); // Undo the change of Optimization Library RunUI(SkylineWindow.Undo); docCurrent = SkylineWindow.Document; var importResults = ShowDialog<ImportResultsDlg>(SkylineWindow.ImportResults); RunUI(() => { importResults.NamedPathSets = DataSourceUtil.GetDataSourcesInSubdirs(TestFilesDir.FullPath).ToArray(); importResults.OptimizationName = ExportOptimize.CE; }); var removePrefix = ShowDialog<ImportResultsNameDlg>(importResults.OkDialog); RunUI(removePrefix.NoDialog); WaitForDocumentChange(docCurrent); foreach (var nodeTran in SkylineWindow.Document.MoleculeTransitions) { Assert.IsTrue(nodeTran.HasResults); Assert.AreEqual(2, nodeTran.Results.Count); } // Set up display while loading RunUI(SkylineWindow.ArrangeGraphsTiled); SelectNode(SrmDocument.Level.TransitionGroups, 0); RunUI(SkylineWindow.AutoZoomBestPeak); // Add some heavy precursors while loading const LabelAtoms labelAtoms = LabelAtoms.C13 | LabelAtoms.N15; const string heavyK = "Heavy K"; const string heavyR = "Heavy R"; RunUI(() => { Settings.Default.HeavyModList.Add(new StaticMod(heavyK, "K", ModTerminus.C, null, labelAtoms, null, null)); Settings.Default.HeavyModList.Add(new StaticMod(heavyR, "R", ModTerminus.C, null, labelAtoms, null, null)); }); docCurrent = SkylineWindow.Document; var peptideSettingsUI1 = ShowDialog<PeptideSettingsUI>(SkylineWindow.ShowPeptideSettingsUI); RunUI(() => { peptideSettingsUI1.PickedHeavyMods = new[] {heavyK, heavyR}; }); OkDialog(peptideSettingsUI1, peptideSettingsUI1.OkDialog); // First make sure the first settings change occurs WaitForDocumentChangeLoaded(docCurrent, 300*1000); // Verify that "GraphChromatogram.DisplayOptimizationTotals" works for different values // of TransformChrom RunUI(()=> { SkylineWindow.ShowSingleTransition(); SkylineWindow.SetTransformChrom(TransformChrom.raw); }); WaitForGraphs(); RunUI(() => { SkylineWindow.SetTransformChrom(TransformChrom.interpolated); }); WaitForGraphs(); SelectNode(SrmDocument.Level.Transitions, 0); RunUI(() => SkylineWindow.SaveDocument()); // Make sure imported data is of the expected shape. foreach (var nodeGroup in SkylineWindow.Document.MoleculeTransitionGroups) { foreach (TransitionDocNode nodeTran in nodeGroup.Children) { Assert.IsTrue(nodeTran.HasResults); Assert.AreEqual(2, nodeTran.Results.Count); foreach (var chromInfoList in nodeTran.Results) { if (nodeGroup.TransitionGroup.LabelType.IsLight) { Assert.IsFalse(chromInfoList.IsEmpty, string.Format("Peptide {0}{1}, fragment {2}{3} missing results", nodeTran.Transition.Group.Peptide.Target, nodeGroup.TransitionGroup.PrecursorAdduct, nodeTran.Transition.FragmentIonName, Transition.GetChargeIndicator(nodeTran.Transition.Adduct))); Assert.AreEqual(11, chromInfoList.Count); } } } } // Export a normal transition list with the default Thermo equation string normalPath = TestFilesDir.GetTestPath("NormalCE.csv"); ExportCETransitionList(normalPath, null); // Export a transition list with CE optimized by precursor var transitionSettingsUI2 = ShowDialog<TransitionSettingsUI>(SkylineWindow.ShowTransitionSettingsUI); RunUI(() => { transitionSettingsUI2.UseOptimized = true; transitionSettingsUI2.OptimizeType = OptimizedMethodType.Precursor.GetLocalizedString(); }); OkDialog(transitionSettingsUI2, transitionSettingsUI2.OkDialog); string precursorPath = TestFilesDir.GetTestPath("PrecursorCE.csv"); ExportCETransitionList(precursorPath, normalPath); // Export a transition list with CE optimized by transition var transitionSettingsUI3 = ShowDialog<TransitionSettingsUI>(SkylineWindow.ShowTransitionSettingsUI); RunUI(() => { transitionSettingsUI3.OptimizeType = OptimizedMethodType.Transition.GetLocalizedString(); }); OkDialog(transitionSettingsUI3, transitionSettingsUI3.OkDialog); string transitionPath = TestFilesDir.GetTestPath("TransitionCE.csv"); ExportCETransitionList(transitionPath, precursorPath); // Recalculate the CE optimization regression from this data const string reoptimizeCEName = "Thermo Reoptimized"; docCurrent = SkylineWindow.Document; var transitionSettingsUI4 = ShowDialog<TransitionSettingsUI>(SkylineWindow.ShowTransitionSettingsUI); var editList4 = ShowDialog<EditListDlg<SettingsListBase<CollisionEnergyRegression>, CollisionEnergyRegression>>(transitionSettingsUI4.EditCEList); var editCE4 = ShowDialog<EditCEDlg>(editList4.AddItem); // Show the regression graph var showGraph = ShowDialog<GraphRegression>(editCE4.ShowGraph); RunUI(showGraph.CloseDialog); RunUI(() => { editCE4.RegressionName = reoptimizeCEName; editCE4.UseCurrentData(); }); OkDialog(editCE4, editCE4.OkDialog); OkDialog(editList4, editList4.OkDialog); RunUI(() => { transitionSettingsUI4.RegressionCEName = reoptimizeCEName; transitionSettingsUI4.OptimizeType = OptimizedMethodType.None.GetLocalizedString(); }); OkDialog(transitionSettingsUI4, transitionSettingsUI4.OkDialog); WaitForDocumentChange(docCurrent); // Make sure new settings are in document var reoptimizeRegression = SkylineWindow.Document.Settings.TransitionSettings.Prediction.CollisionEnergy; Assert.AreEqual(reoptimizeCEName, reoptimizeRegression.Name); Assert.AreEqual(1, reoptimizeRegression.Conversions.Length); Assert.AreEqual(2, reoptimizeRegression.Conversions[0].Charge); // Export a transition list with the new equation string reoptimizePath = TestFilesDir.GetTestPath("ReoptimizeCE.csv"); ExportCETransitionList(reoptimizePath, normalPath); RunUI(SkylineWindow.ShowPeakAreaReplicateComparison); RunUI(SkylineWindow.ShowRTReplicateGraph); VerifyGraphs(); SelectNode(SrmDocument.Level.TransitionGroups, 2); VerifyGraphs(); } private void OptLibNeutralLossTest() { if (AsSmallMolecules) return; // Not a concern for small mol docs // Open the .sky file string documentPath = TestFilesDir.GetTestPath("test_opt_nl.sky"); RunUI(() => SkylineWindow.OpenFile(documentPath)); var docCurrent = SkylineWindow.Document; var transitionSettingsUIOpt = ShowDialog<TransitionSettingsUI>(SkylineWindow.ShowTransitionSettingsUI); var editOptLib = ShowDialog<EditOptimizationLibraryDlg>(transitionSettingsUIOpt.AddToOptimizationLibraryList); string optLibPath = TestFilesDir.GetTestPath("NeutralLoss.optdb"); RunUI(() => { editOptLib.CreateDatabase(optLibPath); editOptLib.LibName = "Test neutral loss optimization"; SetClipboardText(GetPasteLine("PES[+80.0]T[+80.0]ICIDER", 2, "precursor -98", 2, 5.0)); }); var addOptDlg = ShowDialog<AddOptimizationsDlg>(editOptLib.DoPasteLibrary); OkDialog(addOptDlg, addOptDlg.OkDialog); OkDialog(editOptLib, editOptLib.OkDialog); OkDialog(transitionSettingsUIOpt, transitionSettingsUIOpt.OkDialog); WaitForDocumentChange(docCurrent); string optLibExportPath = TestFilesDir.GetTestPath("OptNeutralLoss.csv"); ExportCETransitionList(optLibExportPath, null); } /// <summary> /// Change to true to write covdata\*.csv test files /// </summary> private bool IsCovRecordMode { get { return false; } } private void CovOptimizationTest() { // Open the .sky file string documentPath = TestFilesDir.GetTestPath(@"covdata\cov_optimization_part.sky"); string wiffFile = TestFilesDir.GetTestPath(@"covdata\wiff\041115 BG_sky Test Round 1.wiff"); RunUI(() => SkylineWindow.OpenFile(documentPath)); if (AsSmallMolecules) { ConvertDocumentToSmallMolecules(); } string expectedTransitionsRough = TestFilesDir.GetTestPath(@"covdata\cov_rough_expected.csv"); string outTransitionsRough = IsCovRecordMode && !AsSmallMolecules ? expectedTransitionsRough : TestFilesDir.GetTestPath(@"covdata\cov_rough.csv"); string expectedTransitionsMedium = TestFilesDir.GetTestPath(@"covdata\cov_medium_expected.csv"); string outTransitionsMedium = IsCovRecordMode && !AsSmallMolecules ? expectedTransitionsMedium : TestFilesDir.GetTestPath(@"covdata\cov_medium.csv"); string expectedTransitionsFine = TestFilesDir.GetTestPath(@"covdata\cov_fine_expected.csv"); string outTransitionsFine = IsCovRecordMode && !AsSmallMolecules ? expectedTransitionsFine : TestFilesDir.GetTestPath(@"covdata\cov_fine.csv"); string expectedTransitionsFinal = TestFilesDir.GetTestPath(@"covdata\cov_final_expected.csv"); string outTransitionsFinal = IsCovRecordMode && !AsSmallMolecules ? expectedTransitionsFinal : TestFilesDir.GetTestPath(@"covdata\cov_final.csv"); string expectedTransitionsFinalWithOptLib = TestFilesDir.GetTestPath(@"covdata\cov_final_expected2.csv"); string outTransitionsFinalWithOptLib = IsCovRecordMode && !AsSmallMolecules ? expectedTransitionsFinalWithOptLib : TestFilesDir.GetTestPath(@"covdata\cov_final2.csv"); string expectedTransitionsFinalWithOptLib2 = TestFilesDir.GetTestPath(@"covdata\cov_final_expected3.csv"); string outTransitionsFinalWithOptLib2 = IsCovRecordMode && !AsSmallMolecules ? expectedTransitionsFinalWithOptLib2 : TestFilesDir.GetTestPath(@"covdata\cov_final3.csv"); var doc = SkylineWindow.Document; // Verify settings var prediction = doc.Settings.TransitionSettings.Prediction; var cov = prediction.CompensationVoltage; Assert.AreEqual(OptimizedMethodType.Precursor, prediction.OptimizedMethodType); Assert.AreEqual("ABI", cov.Name); // Old name Assert.AreEqual(6, cov.MinCov); Assert.AreEqual(30, cov.MaxCov); Assert.AreEqual(3, cov.StepCountRough); Assert.AreEqual(3, cov.StepCountMedium); Assert.AreEqual(3, cov.StepCountFine); var transitionSettings = ShowDialog<TransitionSettingsUI>(SkylineWindow.ShowTransitionSettingsUI); RunUI(() => { transitionSettings.RegressionCEName = "SCIEX"; transitionSettings.RegressionDPName = "SCIEX"; }); var covList = ShowDialog<EditListDlg<SettingsListBase<CompensationVoltageParameters>, CompensationVoltageParameters>>(transitionSettings.EditCoVList); RunUI(() => covList.SelectItem("SCIEX")); var covSettings = ShowDialog<EditCoVDlg>(covList.EditItem); double? originalMin = null, originalMax = null; int? originalStepsRough = null, originalStepsMedium = null, originalStepsFine = null; RunUI(() => { originalMin = covSettings.Min; originalMax = covSettings.Max; originalStepsRough = covSettings.StepsRough; originalStepsMedium = covSettings.StepsMedium; originalStepsFine = covSettings.StepsFine; }); Assert.IsTrue(originalMin < originalMax); SetCoVParameters(covSettings, originalMax, originalMin, originalStepsRough, originalStepsMedium, originalStepsFine); var errorMinMax = ShowDialog<MessageDlg>(covSettings.OkDialog); Assert.AreEqual(Resources.EditCoVDlg_btnOk_Click_Maximum_compensation_voltage_cannot_be_less_than_minimum_compensation_volatage_, errorMinMax.Message); OkDialog(errorMinMax, errorMinMax.OkDialog); SetCoVParameters(covSettings, originalMin, originalMax, CompensationVoltageParameters.MIN_STEP_COUNT - 1, originalStepsMedium, originalStepsFine); var errorMinSteps = ShowDialog<MessageDlg>(covSettings.OkDialog); OkDialog(errorMinSteps, errorMinSteps.OkDialog); SetCoVParameters(covSettings, originalMin, originalMax, CompensationVoltageParameters.MAX_STEP_COUNT + 1, originalStepsMedium, originalStepsFine); var errorMaxSteps = ShowDialog<MessageDlg>(covSettings.OkDialog); OkDialog(errorMaxSteps, errorMaxSteps.OkDialog); SetCoVParameters(covSettings, originalMin, originalMax, originalStepsRough, originalStepsMedium, originalStepsFine); OkDialog(covSettings, covSettings.OkDialog); OkDialog(covList, covList.OkDialog); OkDialog(transitionSettings, transitionSettings.OkDialog); var dlgExportRoughTune = ShowDialog<ExportMethodDlg>(SkylineWindow.ShowExportTransitionListDlg); // Try to export without optimizing and check for error message RunUI(() => { Assert.AreEqual(ExportInstrumentType.ABI, dlgExportRoughTune.InstrumentType); dlgExportRoughTune.OptimizeType = ExportOptimize.NONE; }); var errorDlgNoCovs = ShowDialog<MultiButtonMsgDlg>(dlgExportRoughTune.OkDialog); RunUI(() => Assert.IsTrue(errorDlgNoCovs.Message.Contains(Resources.ExportMethodDlg_OkDialog_Your_document_does_not_contain_compensation_voltage_results__but_compensation_voltage_is_set_under_transition_settings_))); OkDialog(errorDlgNoCovs, errorDlgNoCovs.BtnCancelClick); // Try to export fine tune and check for error message RunUI(() => dlgExportRoughTune.OptimizeType = ExportOptimize.COV_FINE); var errorDlgFineExport = ShowDialog<MessageDlg>(dlgExportRoughTune.OkDialog); RunUI(() => Assert.IsTrue(errorDlgFineExport.Message.Contains(Resources.ExportMethodDlg_ValidateSettings_Cannot_export_fine_tune_transition_list__The_following_precursors_are_missing_medium_tune_results_))); OkDialog(errorDlgFineExport, errorDlgFineExport.OkDialog); // Try to export medium tune and check for error message RunUI(() => dlgExportRoughTune.OptimizeType = ExportOptimize.COV_MEDIUM); var errorDlgMediumExport = ShowDialog<MessageDlg>(dlgExportRoughTune.OkDialog); RunUI(() => Assert.IsTrue(errorDlgMediumExport.Message.Contains(Resources.ExportMethodDlg_ValidateSettings_Cannot_export_medium_tune_transition_list__The_following_precursors_are_missing_rough_tune_results_))); OkDialog(errorDlgMediumExport, errorDlgMediumExport.OkDialog); // Export rough tune and verify against expected results RunUI(() => { dlgExportRoughTune.OptimizeType = ExportOptimize.COV_ROUGH; dlgExportRoughTune.OkDialog(outTransitionsRough); }); CompareFiles(outTransitionsRough, expectedTransitionsRough); // Add a transition for which there are no results RunUI(() => { SkylineWindow.SequenceTree.Nodes[0].ExpandAll(); SkylineWindow.SequenceTree.SelectedNode = SkylineWindow.SequenceTree.Nodes[0].Nodes[0].Nodes[0]; }); var pickList1 = ShowDialog<PopupPickList>(SkylineWindow.ShowPickChildrenInTest); RunUI(() => { pickList1.ToggleFind(); pickList1.SearchString = AsSmallMolecules ? "[M+2]" : "y4 ++"; pickList1.SetItemChecked(0, true); }); RunUI(pickList1.OnOk); // Try to export and check for warning about top ranked transition (will not occur after import results) var dlgExportNoTopRank = ShowDialog<ExportMethodDlg>(SkylineWindow.ShowExportTransitionListDlg); RunUI(() => dlgExportNoTopRank.OptimizeType = ExportOptimize.COV_ROUGH); var warnNoTopRank = ShowDialog<MultiButtonMsgDlg>(dlgExportNoTopRank.OkDialog); RunUI(() => Assert.IsTrue(warnNoTopRank.Message.Contains( Resources.ExportMethodDlg_OkDialog_Compensation_voltage_optimization_should_be_run_on_one_transition_per_peptide__and_the_best_transition_cannot_be_determined_for_the_following_precursors_))); OkDialog(warnNoTopRank, warnNoTopRank.BtnCancelClick); OkDialog(dlgExportNoTopRank, dlgExportNoTopRank.CancelDialog); // Import rough tune var importResultsDlg = ShowDialog<ImportResultsDlg>(SkylineWindow.ImportResults); RunUI(() => { Assert.IsFalse(importResultsDlg.CanOptimizeMedium); Assert.IsFalse(importResultsDlg.CanOptimizeFine); importResultsDlg.OptimizationName = ExportOptimize.COV_ROUGH; importResultsDlg.NamedPathSets = new[] { new KeyValuePair<string, MsDataFileUri[]>("sMRM rough tune", new MsDataFileUri[] {new MsDataFilePath(wiffFile, "sMRM rough tune", 2, LockMassParameters.EMPTY)}) }; }); OkDialog(importResultsDlg, importResultsDlg.OkDialog); doc = WaitForDocumentChangeLoaded(doc); // Paste in a peptide so we have missing results RunUI(() => SkylineWindow.Paste("PEPTIDER")); var dlgExportMediumTuneFail = ShowDialog<ExportMethodDlg>(SkylineWindow.ShowExportTransitionListDlg); // Try to export fine tune and check for error message RunUI(() => dlgExportMediumTuneFail.OptimizeType = ExportOptimize.COV_FINE); var errorDlgFineExport2 = ShowDialog<MessageDlg>(dlgExportMediumTuneFail.OkDialog); RunUI(() => Assert.IsTrue(errorDlgFineExport2.Message.Contains(Resources.ExportMethodDlg_ValidateSettings_Cannot_export_fine_tune_transition_list__The_following_precursors_are_missing_medium_tune_results_))); OkDialog(errorDlgFineExport2, errorDlgFineExport2.OkDialog); // Try to export medium tune and check for error message RunUI(() => dlgExportMediumTuneFail.OptimizeType = ExportOptimize.COV_MEDIUM); var errorDlgMediumExport2 = ShowDialog<MessageDlg>(dlgExportMediumTuneFail.OkDialog); RunUI(() => Assert.IsTrue(errorDlgMediumExport2.Message.Contains(Resources.ExportMethodDlg_ValidateSettings_Cannot_export_medium_tune_transition_list__The_following_precursors_are_missing_rough_tune_results_))); OkDialog(errorDlgMediumExport2, errorDlgMediumExport2.OkDialog); OkDialog(dlgExportMediumTuneFail, dlgExportMediumTuneFail.CancelDialog); // Undo the paste RunUI(() => SkylineWindow.Undo()); var dlgExportMediumTune = ShowDialog<ExportMethodDlg>(SkylineWindow.ShowExportTransitionListDlg); // Try to export without optimizing and check for error message RunUI(() => dlgExportMediumTune.OptimizeType = ExportOptimize.NONE); var errorDlgMissingRoughCovs = ShowDialog<MultiButtonMsgDlg>(dlgExportMediumTune.OkDialog); RunUI(() => Assert.IsTrue(errorDlgMissingRoughCovs.Message.Contains(Resources.ExportMethodDlg_OkDialog_You_have_only_rough_tune_optimized_compensation_voltages_))); OkDialog(errorDlgMissingRoughCovs, errorDlgMissingRoughCovs.BtnCancelClick); // Retry export medium tune and verify against expected results RunUI(() => { dlgExportMediumTune.OptimizeType = ExportOptimize.COV_MEDIUM; dlgExportMediumTune.OkDialog(outTransitionsMedium); }); CompareFiles(outTransitionsMedium, expectedTransitionsMedium); // Import medium tune var importResultsDlgMedium = ShowDialog<ImportResultsDlg>(SkylineWindow.ImportResults); RunUI(() => { Assert.IsTrue(importResultsDlgMedium.CanOptimizeMedium); Assert.IsFalse(importResultsDlgMedium.CanOptimizeFine); importResultsDlgMedium.OptimizationName = ExportOptimize.COV_MEDIUM; importResultsDlgMedium.NamedPathSets = new[] { new KeyValuePair<string, MsDataFileUri[]>("sMRM rmed tune", new MsDataFileUri[] {new MsDataFilePath(wiffFile, "sMRM rmed tune", 3, LockMassParameters.EMPTY)}) }; }); OkDialog(importResultsDlgMedium, importResultsDlgMedium.OkDialog); doc = WaitForDocumentChangeLoaded(doc); var dlgExportFineTune = ShowDialog<ExportMethodDlg>(SkylineWindow.ShowExportTransitionListDlg); // Try to export without optimizing and check for error message RunUI(() => dlgExportFineTune.OptimizeType = ExportOptimize.NONE); var errorDlgMissingMediumCovs = ShowDialog<MultiButtonMsgDlg>(dlgExportFineTune.OkDialog); RunUI(() => Assert.IsTrue(errorDlgMissingMediumCovs.Message.Contains(Resources.ExportMethodDlg_OkDialog_You_are_missing_fine_tune_optimized_compensation_voltages_))); OkDialog(errorDlgMissingMediumCovs, errorDlgMissingMediumCovs.BtnCancelClick); // Export fine tune and verify against expected results RunUI(() => { dlgExportFineTune.OptimizeType = ExportOptimize.COV_FINE; dlgExportFineTune.OkDialog(outTransitionsFine); }); CompareFiles(outTransitionsFine, expectedTransitionsFine); // Import fine tune var importResultsDlgFine = ShowDialog<ImportResultsDlg>(SkylineWindow.ImportResults); RunUI(() => { Assert.IsTrue(importResultsDlgFine.CanOptimizeMedium); Assert.IsTrue(importResultsDlgFine.CanOptimizeFine); importResultsDlgFine.OptimizationName = ExportOptimize.COV_FINE; importResultsDlgFine.NamedPathSets = new[] { new KeyValuePair<string, MsDataFileUri[]>("sMRM fine tune", new MsDataFileUri[] {new MsDataFilePath(wiffFile, "sMRM fine tune", 4, LockMassParameters.EMPTY)}) }; }); OkDialog(importResultsDlgFine, importResultsDlgFine.OkDialog); WaitForDocumentChangeLoaded(doc); // Remove the transition we added earlier RunUI(() => SkylineWindow.SequenceTree.SelectedNode = SkylineWindow.SequenceTree.Nodes[0].Nodes[0].Nodes[0]); var pickList2 = ShowDialog<PopupPickList>(SkylineWindow.ShowPickChildrenInTest); RunUI(() => { pickList2.ToggleFind(); pickList2.SearchString = AsSmallMolecules ? "[M+2]" : "y4 ++"; pickList2.SetItemChecked(0, false); }); RunUI(pickList2.OnOk); var dlgExportFinal = ShowDialog<ExportMethodDlg>(SkylineWindow.ShowExportTransitionListDlg); // Export and verify against expected results RunUI(() => { dlgExportFinal.OptimizeType = ExportOptimize.NONE; dlgExportFinal.OkDialog(outTransitionsFinal); }); CompareFiles(outTransitionsFinal, expectedTransitionsFinal); // Add new optimization library var dlgTransitionSettings = ShowDialog<TransitionSettingsUI>(SkylineWindow.ShowTransitionSettingsUI); var dlgEditOptLib = ShowDialog<EditOptimizationLibraryDlg>(dlgTransitionSettings.AddToOptimizationLibraryList); string optLibPath = TestFilesDir.GetTestPath("cov.optdb"); RunUI(() => { dlgEditOptLib.CreateDatabase(optLibPath); dlgEditOptLib.LibName = "Test CoV library"; Assert.AreEqual(ExportOptimize.CE, dlgEditOptLib.ViewType); dlgEditOptLib.ViewType = ExportOptimize.COV; Assert.AreEqual(ExportOptimize.COV, dlgEditOptLib.ViewType); }); var dlgAddFromResults = ShowDialog<AddOptimizationsDlg>(dlgEditOptLib.AddResults); RunUI(() => { Assert.AreEqual(5, dlgAddFromResults.OptimizationsCount); Assert.AreEqual(0, dlgAddFromResults.ExistingOptimizationsCount); }); OkDialog(dlgAddFromResults, dlgAddFromResults.OkDialog); string pasteText = TextUtil.LineSeparate( GetPasteLine("GDFQFNISR", 2, 12.34), GetPasteLine("DVSLLHKPTTQISDFHVATR", 4, 23.45)); RunUI(() => { var libOptimizations = dlgEditOptLib.LibraryOptimizations; Assert.AreEqual(5, libOptimizations.Count); Assert.IsTrue(libOptimizations.Contains(GetDbOptimization(OptimizationType.compensation_voltage_fine, "FNDDFSR", GetAdduct(2), 17.00))); Assert.IsTrue(libOptimizations.Contains(GetDbOptimization(OptimizationType.compensation_voltage_fine, "GDFQFNISR", GetAdduct(2), 12.75))); Assert.IsTrue(libOptimizations.Contains(GetDbOptimization(OptimizationType.compensation_voltage_fine, "IDPNAWVER", GetAdduct(2), 12.50))); Assert.IsTrue(libOptimizations.Contains(GetDbOptimization(OptimizationType.compensation_voltage_fine, "TDRPSQQLR", GetAdduct(2), 14.00))); Assert.IsTrue(libOptimizations.Contains(GetDbOptimization(OptimizationType.compensation_voltage_fine, "DVSLLHKPTTQISDFHVATR", GetAdduct(4), 18.25))); dlgEditOptLib.SetOptimizations(new DbOptimization[0]); Assert.AreEqual(0, libOptimizations.Count); SetClipboardText(pasteText); }); var addOptDlg = ShowDialog<AddOptimizationsDlg>(dlgEditOptLib.DoPasteLibrary); RunUI(() => { Assert.AreEqual(2, addOptDlg.OptimizationsCount); Assert.AreEqual(0, addOptDlg.ExistingOptimizationsCount); }); OkDialog(addOptDlg, addOptDlg.OkDialog); OkDialog(dlgEditOptLib, dlgEditOptLib.OkDialog); OkDialog(dlgTransitionSettings, dlgTransitionSettings.OkDialog); // Export with optimization library and verify against expected results var dlgExportFinal2 = ShowDialog<ExportMethodDlg>(SkylineWindow.ShowExportTransitionListDlg); RunUI(() => { dlgExportFinal2.OptimizeType = ExportOptimize.NONE; }); OkDialog(dlgExportFinal2, () => dlgExportFinal2.OkDialog(outTransitionsFinalWithOptLib)); CompareFiles(outTransitionsFinalWithOptLib, expectedTransitionsFinalWithOptLib); // Remove all results and export again, relying on the values in the library (3 values will be missing) RunUI(() => SkylineWindow.ModifyDocument("Remove results", document => document.ChangeMeasuredResults(null))); for (var loop = 2; loop-- > 0;) { var dlgExportFinal3 = ShowDialog<ExportMethodDlg>(SkylineWindow.ShowExportTransitionListDlg); RunUI(() => dlgExportFinal3.OptimizeType = ExportOptimize.NONE); var lib2 = outTransitionsFinalWithOptLib2; var errorDlgMissingFineCovs = ShowDialog<MultiButtonMsgDlg>(() => dlgExportFinal3.OkDialog(lib2)); RunUI(() => Assert.IsTrue(errorDlgMissingFineCovs.Message.Contains(Resources.ExportMethodDlg_OkDialog_You_are_missing_fine_tune_optimized_compensation_voltages_for_the_following_))); OkDialog(errorDlgMissingFineCovs, errorDlgMissingFineCovs.BtnYesClick); CompareFiles(outTransitionsFinalWithOptLib2, expectedTransitionsFinalWithOptLib2); RunUI(() => SkylineWindow.SaveDocument()); // Try exporting with an explicitly set compensation voltage value and declustering potential var documentGrid = ShowDialog<DocumentGridForm>(() => SkylineWindow.ShowDocumentGrid(true)); EnsureMixedTransitionListReport(); EnableDocumentGridColumns(documentGrid, MIXED_TRANSITION_LIST_REPORT_NAME, 5, new[] { "Proteins!*.Peptides!*.Precursors!*.ExplicitCompensationVoltage", "Proteins!*.Peptides!*.Precursors!*.Transitions!*.ExplicitDeclusteringPotential", }); const double explicitCV = 13.45; const double explicitDP = 14.32; var colCV = FindDocumentGridColumn(documentGrid, "Precursor.ExplicitCompensationVoltage"); RunUI(() => documentGrid.DataGridView.Rows[0].Cells[colCV.Index].Value = explicitCV); WaitForCondition(() => (SkylineWindow.Document.MoleculeTransitionGroups.Any() && SkylineWindow.Document.MoleculeTransitionGroups.First() .ExplicitValues.CompensationVoltage.Equals(explicitCV))); var colDP = FindDocumentGridColumn(documentGrid, "ExplicitDeclusteringPotential"); RunUI(() => documentGrid.DataGridView.Rows[0].Cells[colDP.Index].Value = explicitDP); WaitForCondition(() => (SkylineWindow.Document.MoleculeTransitions.Any() && SkylineWindow.Document.MoleculeTransitions.First() .ExplicitValues.DeclusteringPotential.Equals(explicitDP))); RunUI(() => documentGrid.Close()); outTransitionsFinalWithOptLib2 = outTransitionsFinalWithOptLib2.Replace(".csv", "_explicit.csv"); expectedTransitionsFinalWithOptLib2 = expectedTransitionsFinalWithOptLib2.Replace(".csv", "_explicit.csv"); } } private DbOptimization GetDbOptimization(OptimizationType type, string sequence, Adduct adduct, double optValue) { var target = GetTarget(sequence); return new DbOptimization(type, target, adduct, null, Adduct.EMPTY, optValue); } private void CompareFiles(string fileActual, string fileExpected) { if (!AsSmallMolecules) { AssertEx.FileEquals(fileExpected, fileActual); return; } var textExpected = File.ReadAllText(fileExpected); var textActual = File.ReadAllText(fileActual); if (!textExpected.Contains(RefinementSettings.TestingConvertedFromProteomicPeptideNameDecorator)) { textExpected = textExpected.Replace("peptides1.", "peptides1." + RefinementSettings.TestingConvertedFromProteomicPeptideNameDecorator). Replace("+2", "[M+2H]"). Replace("+4", "[M+4H]"). Replace("y4.", "y4[M+]."). Replace("y5.", "y5[M+]."). Replace("y6.", "y6[M+]."). Replace("y7.", "y7[M+]."). Replace("y8.", "y8[M+]."); } AssertEx.NoDiff(textExpected, textActual); } private Adduct GetAdduct(int charge) { return AsSmallMolecules ? Adduct.NonProteomicProtonatedFromCharge(charge) : Adduct.FromChargeProtonated(charge); } private string GetChargeIndicator(int charge) { var adduct = GetAdduct(charge); return AsSmallMolecules ? adduct.ToString(CultureInfo.InvariantCulture) : Transition.GetChargeIndicator(adduct); } private Target GetTarget(string seq) { if (AsSmallMolecules) { var masscalc = new SequenceMassCalc(MassType.Monoisotopic); var moleculeFormula = masscalc.GetMolecularFormula(seq); var customMolecule = new CustomMolecule(moleculeFormula, RefinementSettings.TestingConvertedFromProteomicPeptideNameDecorator + seq.Replace(@"[", @"(").Replace(@"]", @")")); return new Target(customMolecule); } return new Target(seq); } private string GetPasteLine(string seq, int charge, string product, int productCharge, double ce) { if (AsSmallMolecules) seq = GetTarget(seq).DisplayName; var fields = new[] { string.Format(CultureInfo.CurrentCulture, "{0}{1}", seq, GetChargeIndicator(charge)), string.Format(CultureInfo.CurrentCulture, "{0}{1}", product, GetChargeIndicator(productCharge)), ce.ToString(CultureInfo.CurrentCulture) }; return fields.ToDsvLine(TextUtil.SEPARATOR_TSV); } private string GetPasteLine(string seq, int charge, double cov) { if (AsSmallMolecules) seq = GetTarget(seq).ToSerializableString(); var fields = new[] { string.Format(CultureInfo.CurrentCulture, "{0}{1}", seq, GetChargeIndicator(charge)), cov.ToString(CultureInfo.CurrentCulture) }; return fields.ToDsvLine(TextUtil.SEPARATOR_TSV); } private void VerifyGraphs() { RunUI(SkylineWindow.ShowAllTransitions); WaitForGraphs(); SrmDocument docCurrent = SkylineWindow.Document; int transitions = docCurrent.MoleculeTransitionCount / docCurrent.MoleculeTransitionGroupCount; foreach (var chromSet in docCurrent.Settings.MeasuredResults.Chromatograms) AssertEx.AreEqual(transitions, SkylineWindow.GetGraphChrom(chromSet.Name).CurveCount); Assert.AreEqual(transitions, SkylineWindow.GraphPeakArea.CurveCount); Assert.AreEqual(transitions, SkylineWindow.GraphRetentionTime.CurveCount); RunUI(SkylineWindow.ShowSingleTransition); WaitForGraphs(); int maxSteps = 0; foreach (var chromSet in docCurrent.Settings.MeasuredResults.Chromatograms) { int stepCount = chromSet.OptimizationFunction.StepCount*2 + 1; maxSteps = Math.Max(maxSteps, stepCount); Assert.AreEqual(stepCount, SkylineWindow.GetGraphChrom(chromSet.Name).CurveCount); } Assert.AreEqual(maxSteps, SkylineWindow.GraphPeakArea.CurveCount); Assert.AreEqual(maxSteps, SkylineWindow.GraphRetentionTime.CurveCount); RunUI(SkylineWindow.ShowTotalTransitions); WaitForGraphs(); foreach (var chromSet in docCurrent.Settings.MeasuredResults.Chromatograms) Assert.AreEqual(1, SkylineWindow.GetGraphChrom(chromSet.Name).CurveCount); Assert.AreEqual(1, SkylineWindow.GraphPeakArea.CurveCount); Assert.AreEqual(1, SkylineWindow.GraphRetentionTime.CurveCount); } private const int COL_PREC_MZ = 0; private const int COL_PROD_MZ = 1; private const int COL_CE = 2; private void ExportCEOptimizingTransitionList(string filePath) { FileEx.SafeDelete(filePath); var exportDialog = ShowDialog<ExportMethodDlg>(() => SkylineWindow.ShowExportMethodDialog(ExportFileType.List)); // Export CE optimization transition list RunUI(() => { exportDialog.ExportStrategy = ExportStrategy.Single; exportDialog.MethodType = ExportMethodType.Standard; exportDialog.OptimizeType = ExportOptimize.CE; }); OkDialog(exportDialog, () => exportDialog.OkDialog(filePath)); WaitForCondition(() => File.Exists(filePath)); VerifyCEOptimizingTransitionList(filePath, SkylineWindow.Document); } private void VerifyCEOptimizingTransitionList(string filePath, SrmDocument document) { var regressionCE = document.Settings.TransitionSettings.Prediction.CollisionEnergy; double stepSize = regressionCE.StepSize; int stepCount = regressionCE.StepCount; stepCount = stepCount*2 + 1; string[] lines = File.ReadAllLines(filePath); Assert.AreEqual(document.MoleculeTransitionCount * stepCount, lines.Length); int stepsSeen = 0; double lastPrecursorMz = 0; double lastProductMz = 0; double lastCE = 0; var cultureInfo = CultureInfo.InvariantCulture; foreach (string line in lines) { string[] row = line.Split(','); double precursorMz = double.Parse(row[COL_PREC_MZ], cultureInfo); double productMz = double.Parse(row[COL_PROD_MZ], cultureInfo); double ce = double.Parse(row[COL_CE], cultureInfo); if (precursorMz != lastPrecursorMz || Math.Abs((productMz - lastProductMz) - ChromatogramInfo.OPTIMIZE_SHIFT_SIZE) > 0.0001) { if (stepsSeen > 0) Assert.AreEqual(stepCount, stepsSeen); lastPrecursorMz = precursorMz; lastProductMz = productMz; lastCE = ce; stepsSeen = 1; } else { Assert.AreEqual(lastCE + stepSize, ce); lastProductMz = productMz; lastCE = ce; stepsSeen++; } } } private static void ExportCETransitionList(string filePath, string fileCompare) { var exportDialog = ShowDialog<ExportMethodDlg>(() => SkylineWindow.ShowExportMethodDialog(ExportFileType.List)); // Export CE optimization transition list RunUI(() => { exportDialog.ExportStrategy = ExportStrategy.Single; exportDialog.MethodType = ExportMethodType.Standard; exportDialog.OkDialog(filePath); }); VerifyCETransitionList(filePath, fileCompare, SkylineWindow.Document); } private static void VerifyCETransitionList(string filePath, string fileCompare, SrmDocument document) { string[] lines1 = File.ReadAllLines(filePath); string[] lines2 = null; if (fileCompare != null) { lines2 = File.ReadAllLines(fileCompare); Assert.AreEqual(lines2.Length, lines1.Length); } var optLib = document.Settings.TransitionSettings.Prediction.OptimizedLibrary; var optType = document.Settings.TransitionSettings.Prediction.OptimizedMethodType; bool precursorCE = (optType != OptimizedMethodType.Transition); bool diffCEFound = (fileCompare == null); bool diffTranFound = false; int iLine = 0; var dictLightCEs = new Dictionary<string, double>(); foreach (PeptideGroupDocNode nodePepGroup in document.MoleculeGroups) { if (nodePepGroup.TransitionCount == 0) continue; foreach (PeptideDocNode nodePep in nodePepGroup.Children) { foreach (TransitionGroupDocNode nodeGroup in nodePep.Children) { if (nodeGroup.IsLight) dictLightCEs.Clear(); double firstCE = double.Parse(lines1[iLine].Split(',')[COL_CE], CultureInfo.InvariantCulture); foreach (TransitionDocNode nodeTran in nodeGroup.Children) { string[] row1 = lines1[iLine].Split(','); double tranCE = double.Parse(row1[COL_CE], CultureInfo.InvariantCulture); if (lines2 != null) { // Check to see if the two files differ string[] row2 = lines2[iLine].Split(','); if (row1[COL_CE] != row2[COL_CE]) diffCEFound = true; } iLine++; // Store light CE values, and compare the heavy CE values to make // sure they are equal if (nodeGroup.IsLight) dictLightCEs[nodeTran.Transition.ToString()] = tranCE; else Assert.AreEqual(dictLightCEs[nodeTran.Transition.ToString()], tranCE); if (optLib != null && !optLib.IsNone) { // If there is an optimized value, CE should be equal to it DbOptimization optimization = optLib.GetOptimization(OptimizationType.collision_energy, document.Settings.GetSourceTarget(nodePep), nodeGroup.TransitionGroup.PrecursorAdduct, //nodeGroup.TransitionGroup.Peptide.Sequence, nodeGroup.TransitionGroup.PrecursorAdduct, nodeTran.FragmentIonName, nodeTran.Transition.Adduct); if (optimization != null) Assert.AreEqual(optimization.Value, tranCE, 0.05); } else { // If precursor CE type, then all CEs should be equal if (precursorCE && (optLib == null || optLib.IsNone)) Assert.AreEqual(firstCE, tranCE); else if (firstCE != tranCE) diffTranFound = true; } } } } } Assert.IsTrue(diffCEFound); Assert.IsTrue(precursorCE || diffTranFound); } private static void SetCoVParameters(EditCoVDlg dlg, double? min, double? max, int? stepsRough, int? stepsMedium, int? stepsFine) { RunUI(() => { dlg.Min = min; dlg.Max = max; dlg.StepsRough = stepsRough; dlg.StepsMedium = stepsMedium; dlg.StepsFine = stepsFine; }); } } }
52.978142
229
0.613185
[ "Apache-2.0" ]
mhhur/pwiz
pwiz_tools/Skyline/TestFunctional/OptimizeTest.cs
58,170
C#
/* * MIT License * * Copyright (c) 2020 MiYA LAB(K.Miyauchi) * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in all * copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Drawing; using System.IO; using System.Drawing.Imaging; namespace MiYALAB.CSharp.Monitor { /// <summary> /// 画像描画モニタを表示するフォームクラスです. /// </summary> public partial class GraphicMonitor : System.Windows.Forms.Form { private System.Windows.Forms.PictureBox pictureBox; /// <summary> /// 画像描画モニタを表示するフォームクラスです. /// </summary> GraphicMonitor() { InitializeComponent(); } /// <summary> /// 画像描画モニタを表示するフォームクラスです. /// </summary> /// <param name="positionX">変更後のウインドウのx座標</param> /// <param name="positionY">変更後のウインドウのy座標</param> public GraphicMonitor(int positionX, int positionY) { InitializeComponent(); this.Show(); ChangeLocationWindow(positionX, positionY); } /// <summary> /// 画像描画モニタを表示するフォームクラスです. /// </summary> /// <param name="positionX">変更後のウインドウのx座標</param> /// <param name="positionY">変更後のウインドウのy座標</param> /// <param name="sizeX">変更後のウインドウの幅</param> /// <param name="sizeY">変更後のウインドウの高さ</param> public GraphicMonitor(int positionX, int positionY, int sizeX, int sizeY) { InitializeComponent(); this.Show(); ChangeLocationWindow(positionX, positionY); ChangeWindowSize(sizeX, sizeY); } /// <summary> /// デザイナーで自動作成されたコード /// </summary> private void InitializeComponent() { this.pictureBox = new System.Windows.Forms.PictureBox(); ((System.ComponentModel.ISupportInitialize)(this.pictureBox)).BeginInit(); this.SuspendLayout(); // // pictureBox // this.pictureBox.Location = new System.Drawing.Point(13, 13); this.pictureBox.Name = "pictureBox"; this.pictureBox.Size = new System.Drawing.Size(100, 50); this.pictureBox.SizeMode = System.Windows.Forms.PictureBoxSizeMode.AutoSize; this.pictureBox.TabIndex = 0; this.pictureBox.TabStop = false; this.pictureBox.SizeChanged += new System.EventHandler(this.pictureBox_SizeChanged); this.pictureBox.Click += new System.EventHandler(this.pictureBox_Click); // // GraphicMonitor // this.ClientSize = new System.Drawing.Size(284, 261); this.ControlBox = false; this.Controls.Add(this.pictureBox); this.MaximizeBox = false; this.MinimizeBox = false; this.Name = "GraphicMonitor"; this.Text = "GraphicMonitor"; ((System.ComponentModel.ISupportInitialize)(this.pictureBox)).EndInit(); this.ResumeLayout(false); this.PerformLayout(); } //---------------------------------------------------------------------------------- // 以下、イベント処理 //---------------------------------------------------------------------------------- /// <summary> /// pictureBoxのサイズが変更時イベント /// </summary> /// <param name="sender"></param> /// <param name="e"></param> private void pictureBox_SizeChanged(object sender, EventArgs e) { this.ClientSize = new System.Drawing.Size(pictureBox.Width + 24, pictureBox.Height + 24); } /// <summary> /// PictureBoxクリックイベント /// </summary> /// <param name="sender"></param> /// <param name="e"></param> private void pictureBox_Click(object sender, EventArgs e) { // フォルダ作成 if (!Directory.Exists(this.Text)) { Directory.CreateDirectory(this.Text); } DateTime dt = DateTime.Now; string fileName = this.Text + "/" + dt.Year.ToString() + dt.Month.ToString() + dt.Day.ToString() + dt.Hour.ToString() + dt.Minute.ToString() + dt.Second.ToString() + ".jpg"; pictureBox.Image.Save(fileName, ImageFormat.Jpeg); } //---------------------------------------------------------------------------------- // 以下、自作関数(イベント処理ではない) //---------------------------------------------------------------------------------- /// <summary> /// モニタのサイズを変更します. /// </summary> /// <param name="x">変更後のウインドウの幅</param> /// <param name="y">変更後のウインドウの高さ</param> public void ChangeWindowSize(int x, int y) { this.Size = new System.Drawing.Size(x, y); } /// <summary> /// モニタの表示位置を変更します. /// </summary> /// <param name="x">変更後のウインドウのx座標</param> /// <param name="y">変更後のウインドウのy座標</param> public void ChangeLocationWindow(int x, int y) { this.Location = new System.Drawing.Point(x, y); } /// <summary> /// 描画画像を取得します. /// </summary> /// <returns>描画画像</returns> public Bitmap GetGraphic() { return new Bitmap(pictureBox.Image); } /// <summary> /// 画像を描画します. /// </summary> /// <param name="bmp">描画画像</param> public void DrawGraphic(Bitmap bmp) { this.ClientSize = new System.Drawing.Size(bmp.Width + 24, bmp.Height + 24); pictureBox.Image = bmp; } /// <summary> /// 描画画像を削除します. /// </summary> public void Clear() { pictureBox.Image = null; } } }
35.625
102
0.532912
[ "MIT" ]
miyalab/miyalab.csharp
GraphicMonitor/GraphicMonitor.cs
7,815
C#
using System; using System.Threading; namespace ConstructTcpServer { /// <summary> /// Holds all information needed to associate a thread /// with a particular game session. /// </summary> public class GameContext { public ProducerConsumerQueue<string[]> MessageQueue; public ConstructGameProcessor GameProcessor; public Thread QueueThread; public int GameId; public string CurrentStatus = string.Empty; public GameContext(int iGameId, ProducerConsumerQueue<string[]> messageQueue, ConstructGameProcessor gameProcessor, Thread queueThread) { GameId = iGameId; MessageQueue = messageQueue; GameProcessor = gameProcessor; QueueThread = queueThread; PlayerAlias = string.Empty; } public GameContext(string strPlayerAlias) { GameId = 0; MessageQueue = null; GameProcessor = null; QueueThread = null; PlayerAlias = strPlayerAlias; } public string PlayerAlias { get; set; } } }
29.473684
143
0.619643
[ "MIT" ]
dgerding/Construct
ConstructSensors/WindowsSensors/Construct.Sensors.ConstructGameSensor/GameContext.cs
1,122
C#
namespace TechnicalInterview.App.Tasks { public static class PrimeNumber { //Task: /* * Establish if a given integer is a prime number */ public static bool IsPrime(int number) { if ((number & 1) == 0) { if (number == 2) return true; return false; } for (var i = 3; (i * i) <= number; i += 2) { if ((number % i) == 0) return false; } return number != 1; } } }
21.607143
57
0.378512
[ "MIT" ]
LucasMoffitt/Common-Technical-Interview-Questions
src/TechnicalInterview.App/Tasks/PrimeNumber.cs
607
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 System; using System.Linq; using Microsoft.CodeAnalysis.CodeGeneration; using Microsoft.CodeAnalysis.Formatting; using Microsoft.CodeAnalysis.Formatting.Rules; using Microsoft.VisualStudio.Composition; using Roslyn.Test.Utilities; namespace Microsoft.CodeAnalysis.Editor.UnitTests { /// <summary> /// This type caches MEF compositions for our unit tests. MEF composition is a relatively expensive /// operation and caching yields demonstrable benefits for testing. /// /// These caches must be done in a thread static manner. Many of the stored values are non-frozen /// WPF elements which will throw if shared between threads. It is legal for a given xUnit runner /// to execute classes on different threads hence we must handle this scenario. /// </summary> public static class TestExportProvider { [ThreadStatic] private static Lazy<ComposableCatalog> t_lazyEntireAssemblyCatalogWithCSharpAndVisualBasic; public static ComposableCatalog EntireAssemblyCatalogWithCSharpAndVisualBasic { get { if (t_lazyEntireAssemblyCatalogWithCSharpAndVisualBasic == null) { t_lazyEntireAssemblyCatalogWithCSharpAndVisualBasic = new Lazy<ComposableCatalog>(() => CreateAssemblyCatalogWithCSharpAndVisualBasic()); } return t_lazyEntireAssemblyCatalogWithCSharpAndVisualBasic.Value; } } [ThreadStatic] private static Lazy<ExportProvider> t_lazyExportProviderWithCSharpAndVisualBasic; public static ExportProvider ExportProviderWithCSharpAndVisualBasic { get { if (t_lazyExportProviderWithCSharpAndVisualBasic == null) { t_lazyExportProviderWithCSharpAndVisualBasic = new Lazy<ExportProvider>(CreateExportProviderWithCSharpAndVisualBasic); } return t_lazyExportProviderWithCSharpAndVisualBasic.Value; } } [ThreadStatic] private static Lazy<ComposableCatalog> t_lazyMinimumCatalogWithCSharpAndVisualBasic; public static ComposableCatalog MinimumCatalogWithCSharpAndVisualBasic { get { if (t_lazyMinimumCatalogWithCSharpAndVisualBasic == null) { t_lazyMinimumCatalogWithCSharpAndVisualBasic = new Lazy<ComposableCatalog>(() => MinimalTestExportProvider.CreateTypeCatalog(GetNeutralAndCSharpAndVisualBasicTypes()) .WithParts(MinimalTestExportProvider.CreateAssemblyCatalog(MinimalTestExportProvider.GetVisualStudioAssemblies()))); } return t_lazyMinimumCatalogWithCSharpAndVisualBasic.Value; } } private static Type[] GetNeutralAndCSharpAndVisualBasicTypes() { var types = new[] { // ROSLYN typeof(Workspaces.NoCompilationLanguageServiceFactory), typeof(Workspaces.NoCompilationContentTypeDefinitions), typeof(Workspaces.NoCompilationContentTypeLanguageService), typeof(Microsoft.CodeAnalysis.CSharp.IntroduceVariable.CSharpIntroduceVariableService), // Ensures that CSharpFeatures is included in the composition typeof(Microsoft.CodeAnalysis.VisualBasic.IntroduceVariable.VisualBasicIntroduceVariableService), // Ensures that BasicFeatures is included in the composition typeof(Microsoft.CodeAnalysis.Editor.CSharp.ContentType.ContentTypeDefinitions), // CSharp Content Type typeof(Microsoft.CodeAnalysis.Editor.VisualBasic.ContentType.ContentTypeDefinitions), // VB Content Type typeof(Microsoft.CodeAnalysis.Editor.Implementation.SmartIndent.SmartIndentProvider), typeof(Microsoft.CodeAnalysis.Editor.VisualBasic.Formatting.Indentation.VisualBasicIndentationService), typeof(Microsoft.CodeAnalysis.Editor.CSharp.Formatting.Indentation.CSharpIndentationService), typeof(Microsoft.CodeAnalysis.Editor.Implementation.ForegroundNotification.ForegroundNotificationService), typeof(Microsoft.CodeAnalysis.CSharp.CSharpCompilationFactoryService), typeof(Microsoft.CodeAnalysis.VisualBasic.VisualBasicCompilationFactoryService), typeof(Microsoft.CodeAnalysis.CSharp.CSharpSyntaxTreeFactoryServiceFactory), // CSharpServicesCore typeof(Microsoft.CodeAnalysis.VisualBasic.VisualBasicSyntaxTreeFactoryServiceFactory), // BasicServicesCore typeof(CodeAnalysis.CSharp.CodeGeneration.CSharpCodeGenerationServiceFactory), typeof(CodeAnalysis.VisualBasic.CodeGeneration.VisualBasicCodeGenerationServiceFactory), typeof(Microsoft.CodeAnalysis.CSharp.CSharpSyntaxFactsServiceFactory), typeof(Microsoft.CodeAnalysis.VisualBasic.VisualBasicSyntaxFactsServiceFactory), typeof(CodeAnalysis.CSharp.CSharpSymbolDeclarationService), typeof(CodeAnalysis.VisualBasic.VisualBasicSymbolDeclarationService), typeof(CodeAnalysis.Editor.CSharp.LanguageServices.CSharpSymbolDisplayServiceFactory), typeof(Microsoft.CodeAnalysis.Editor.CSharp.Interactive.CSharpInteractiveEvaluator), typeof(CodeAnalysis.Editor.VisualBasic.LanguageServices.VisualBasicSymbolDisplayServiceFactory), typeof(Microsoft.CodeAnalysis.Editor.VisualBasic.Interactive.VisualBasicInteractiveEvaluator), typeof(CodeAnalysis.CSharp.Simplification.CSharpSimplificationService), typeof(CodeAnalysis.VisualBasic.Simplification.VisualBasicSimplificationService), typeof(CodeAnalysis.CSharp.Rename.CSharpRenameConflictLanguageService), typeof(CodeAnalysis.VisualBasic.Rename.VisualBasicRenameRewriterLanguageServiceFactory), typeof(CodeAnalysis.CSharp.CSharpSemanticFactsService), typeof(CodeAnalysis.VisualBasic.VisualBasicSemanticFactsService), typeof(CodeAnalysis.CSharp.CodeGeneration.CSharpSyntaxGenerator), typeof(CodeAnalysis.VisualBasic.CodeGeneration.VisualBasicSyntaxGenerator), typeof(CSharp.LanguageServices.CSharpContentTypeLanguageService), typeof(VisualBasic.LanguageServices.VisualBasicContentTypeLanguageService), typeof(IncrementalCaches.SymbolTreeInfoIncrementalAnalyzerProvider), typeof(CodeAnalysis.Diagnostics.EngineV2.InProcCodeAnalysisDiagnosticAnalyzerExecutor) }; return MinimalTestExportProvider.GetLanguageNeutralTypes() .Concat(types) .Concat(TestHelpers.GetAllTypesImplementingGivenInterface(typeof(Microsoft.CodeAnalysis.CSharp.Formatting.DefaultOperationProvider).Assembly, typeof(ISyntaxFormattingService))) .Concat(TestHelpers.GetAllTypesImplementingGivenInterface(typeof(Microsoft.CodeAnalysis.VisualBasic.Formatting.DefaultOperationProvider).Assembly, typeof(ISyntaxFormattingService))) .Concat(TestHelpers.GetAllTypesImplementingGivenInterface(typeof(Microsoft.CodeAnalysis.CSharp.Formatting.DefaultOperationProvider).Assembly, typeof(IFormattingRule))) .Concat(TestHelpers.GetAllTypesImplementingGivenInterface(typeof(Microsoft.CodeAnalysis.VisualBasic.Formatting.DefaultOperationProvider).Assembly, typeof(IFormattingRule))) .Concat(TestHelpers.GetAllTypesImplementingGivenInterface(typeof(Microsoft.CodeAnalysis.CSharp.Formatting.DefaultOperationProvider).Assembly, typeof(ICodeGenerationService))) .Concat(TestHelpers.GetAllTypesImplementingGivenInterface(typeof(Microsoft.CodeAnalysis.VisualBasic.Formatting.DefaultOperationProvider).Assembly, typeof(ICodeGenerationService))) .Concat(TestHelpers.GetAllTypesWithStaticFieldsImplementingType(typeof(Microsoft.CodeAnalysis.CSharp.Formatting.CSharpFormattingOptions).Assembly, typeof(Microsoft.CodeAnalysis.Options.IOption))) .Distinct() .ToArray(); } /// <summary> /// Create fresh ExportProvider that doesnt share anything with others. /// test can use this export provider to create all new MEF components not shared with others. /// </summary> public static ExportProvider CreateExportProviderWithCSharpAndVisualBasic() { return MinimalTestExportProvider.CreateExportProvider(CreateAssemblyCatalogWithCSharpAndVisualBasic()); } /// <summary> /// Create fresh ComposableCatalog that doesnt share anything with others. /// everything under this catalog should have been created from scratch that doesnt share anything with others. /// </summary> public static ComposableCatalog CreateAssemblyCatalogWithCSharpAndVisualBasic() { return MinimalTestExportProvider.CreateAssemblyCatalog( GetNeutralAndCSharpAndVisualBasicTypes().Select(t => t.Assembly).Distinct().Concat(MinimalTestExportProvider.GetVisualStudioAssemblies()), MinimalTestExportProvider.CreateResolver()); } } }
63.493333
211
0.727425
[ "Apache-2.0" ]
Unknown6656/roslyn
src/EditorFeatures/Test/TestExportProvider.cs
9,524
C#
namespace OfficeEntry.Infrastructure.Services.Xrm.Entities { public enum AccessReasons { CriticalWork = 948160000, RegularWork = 948160002, PickUpADocument = 948160001, PickUpOfficeEquipment = 948160003, Other = 948160004 } public enum ApprovalStatus { Pending = 948160000, Approved = 948160001, Declined = 948160002, Cancelled = 948160003 } public enum Asset { Chair = 948160000, Laptop = 948160001, Tablet = 948160002, Monitor = 948160003, DockingStation = 948160004, Keyboard = 948160005, Mouse = 948160006, Cables = 948160007, Headset = 948160008, Printer = 948160009, Other = 948160010 } public enum StateCode { Active = 0, Inactive = 1 } }
21.825
59
0.575029
[ "MIT" ]
opc-cpvp/OfficeEntry
src/Infrastructure/Services/Xrm/Entities/OptionSets.cs
875
C#
using System; using System.Collections.Generic; using System.Linq.Expressions; using SharpRepository.Repository.FetchStrategies; using SharpRepository.Repository.Queries; namespace SharpRepository.Repository.Traits { /// <summary> /// Based on the Interface Segregation Principle (ISP), the /// ICanGet interface exposes only the "Get" methods of the /// Repository. /// <see cref="http://richarddingwall.name/2009/01/19/irepositoryt-one-size-does-not-fit-all/"/> /// </summary> /// <typeparam name="T">Generic repository entity type</typeparam> /// <typeparam name="TKey">Generic repository entity key type</typeparam> public interface ICanGet<T, TKey> { T Get(TKey key); T Get(TKey key, IFetchStrategy<T> fetchStrategy); T Get(TKey key, params string[] includePathes); T Get(TKey key, params Expression<Func<T, object>>[] includePathes); TResult Get<TResult>(TKey key, Expression<Func<T, TResult>> selector); TResult Get<TResult>(TKey key, Expression<Func<T, TResult>> selector, IFetchStrategy<T> fetchStrategy); TResult Get<TResult>(TKey key, Expression<Func<T, TResult>> selector, params Expression<Func<T, object>>[] includePathes); TResult Get<TResult>(TKey key, Expression<Func<T, TResult>> selector, params string[] includePathes); IEnumerable<T> GetMany(params TKey[] keys); IEnumerable<T> GetMany(IEnumerable<TKey> keys); IEnumerable<T> GetMany(IEnumerable<TKey> keys, IFetchStrategy<T> fetchStrategy); IEnumerable<TResult> GetMany<TResult>(Expression<Func<T, TResult>> selector, params TKey[] keys); IEnumerable<TResult> GetMany<TResult>(IEnumerable<TKey> keys, Expression<Func<T, TResult>> selector); IDictionary<TKey, T> GetManyAsDictionary(params TKey[] keys); IDictionary<TKey, T> GetManyAsDictionary(IEnumerable<TKey> keys); IDictionary<TKey, T> GetManyAsDictionary(IEnumerable<TKey> keys, IFetchStrategy<T> fetchStrategy); bool Exists(TKey key); bool TryGet(TKey key, out T entity); bool TryGet<TResult>(TKey key, Expression<Func<T, TResult>> selector, out TResult entity); IEnumerable<T> GetAll(IQueryOptions<T> queryOptions = null); } }
51.681818
130
0.700088
[ "Apache-2.0" ]
Magicianred/SharpRepository
SharpRepository.Repository/Traits/ICanGet.cs
2,274
C#
using System; namespace FinalExam15August { class Program { static void Main(string[] args) { string message = Console.ReadLine(); string cmd = String.Empty; while ((cmd = Console.ReadLine()) != "Decode") { string[] cmdArgs = cmd.Split('|', StringSplitOptions.RemoveEmptyEntries); string cmdName = cmdArgs[0]; switch (cmdName) { case "Move": message = Move(message, cmdArgs); break; case "Insert": message = Insert(message, cmdArgs); break; case "ChangeAll": message = ChangeAll(message, cmdArgs); break; } } Console.WriteLine($"The decrypted message is: {message}"); } public static string Move(string message, string[] cmdArgs) { int n = int.Parse(cmdArgs[1]); // Finish here string temp = message.Substring(0, n); message = message.Remove(0, n); message = message + temp; return message; } public static string Insert(string message, string[] cmdArgs) { int index = int.Parse(cmdArgs[1]); string value = cmdArgs[2]; message = message.Insert(index, value); return message; } public static string ChangeAll(string message, string[] cmdArgs) { string substring = cmdArgs[1]; string replacement = cmdArgs[2]; if (message.Contains(substring)) { message = message.Replace(substring, replacement); } return message; } } }
29.046154
89
0.470869
[ "MIT" ]
AokiNayo/CSharp-Fund
FundamentalsExamPreparation/Final Exam - 15 August 2020/FinalExam15August/FinalExam15August/Program.cs
1,890
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. namespace ReactiveUI { /// <summary> /// Extension methods associated with the ControlFetcher class. /// </summary> public static partial class ControlFetcherMixin { /// <summary> /// Resolution strategy for bindings. /// </summary> public enum ResolveStrategy { /// <summary> /// Resolve all properties that use a subclass of View. /// </summary> Implicit, /// <summary> /// Resolve only properties with an WireUpResource attribute. /// </summary> ExplicitOptIn, /// <summary> /// Resolve all View properties and those that use a subclass of View, except those with an IgnoreResource attribute. /// </summary> ExplicitOptOut } } }
31.029412
129
0.582938
[ "MIT" ]
SpiegelSoft/ReactiveUI
src/ReactiveUI/Platforms/android/ResolveStrategy.cs
1,057
C#
// // PriorityPicker.cs // // Authors: // Alan McGovern [email protected] // // Copyright (C) 2008 Alan McGovern // // Permission is hereby granted, free of charge, to any person obtaining // a copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to // permit persons to whom the Software is furnished to do so, subject to // the following conditions: // // The above copyright notice and this permission notice shall be // included in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, // EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND // NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE // LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION // OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION // WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. // using System; using System.Collections.Generic; namespace MonoTorrent.PiecePicking { public class PriorityPicker : PiecePickerFilter { class Files : IComparable<Files> { public Priority Priority { get; private set; } public ITorrentManagerFile File; public Files (ITorrentManagerFile file) { Priority = file.Priority; File = file; } public int CompareTo (Files other) => (int) other.Priority - (int) Priority; public bool TryRefreshPriority () { if (Priority == File.Priority) return false; Priority = File.Priority; return true; } } readonly Predicate<Files> AllSamePriority; readonly List<Files> files = new List<Files> (); readonly List<BitField> prioritised = new List<BitField> (); MutableBitField allPrioritisedPieces; MutableBitField temp; public PriorityPicker (IPiecePicker picker) : base (picker) { AllSamePriority = file => file.Priority == files[0].Priority; } public override void Initialise (ITorrentManagerInfo torrentData) { base.Initialise (torrentData); allPrioritisedPieces = new MutableBitField (torrentData.PieceCount ()); temp = new MutableBitField (torrentData.PieceCount ()); files.Clear (); for (int i = 0; i < torrentData.Files.Count; i++) files.Add (new Files (torrentData.Files[i])); BuildSelectors (); } public override bool IsInteresting (IPeer peer, BitField bitfield) { if (ShouldRebuildSelectors ()) BuildSelectors (); if (files.Count == 1 || files.TrueForAll (AllSamePriority)) { if (files[0].Priority == Priority.DoNotDownload) return false; return base.IsInteresting (peer, bitfield); } else { temp.From (allPrioritisedPieces).And (bitfield); if (temp.AllFalse) return false; return base.IsInteresting (peer, temp); } } public override int PickPiece (IPeer peer, BitField available, IReadOnlyList<IPeer> otherPeers, int startIndex, int endIndex, Span<BlockInfo> requests) { // Fast Path - the peer has nothing to offer if (available.AllFalse) return 0; // Rebuild if any file changed priority if (ShouldRebuildSelectors ()) BuildSelectors (); // Fast Path - As 'files' has been sorted highest priority first, all files // must be set to DoNotDownload if this is true. if (files[0].Priority == Priority.DoNotDownload) return 0; // Fast Path - If it's a single file, or if all the priorities are the same, // then we can just pick normally. No prioritisation is needed. if (files.Count == 1 || files.TrueForAll (AllSamePriority)) return base.PickPiece (peer, available, otherPeers, startIndex, endIndex, requests); // Start with the highest priority and work our way down. for (int i = 0; i < prioritised.Count; i++) { temp.From (prioritised[i]).And (available); if (!temp.AllFalse) { var result = base.PickPiece (peer, temp, otherPeers, startIndex, endIndex, requests); if (result > 0) return result; } } // None of the pieces from files marked as downloadable were available. return 0; } void BuildSelectors () { files.Sort (); prioritised.Clear (); // If it's a single file (or they're all the same priority) then we // won't need prioritised bitfields or a bitfield to check the // interested status. Set the IsInteresting bitfield to false so // it's always in a predictable state and bail out. // // If all files are set to DoNotDownload we'll bail out early here. if (files.Count == 1 || files.TrueForAll (AllSamePriority)) { allPrioritisedPieces.SetAll (false); return; } // At least one file is not set to DoNotDownload temp.SetAll (false); temp.SetTrue ((files[0].File.StartPieceIndex, files[0].File.EndPieceIndex)); allPrioritisedPieces.From (temp); for (int i = 1; i < files.Count && files[i].Priority != Priority.DoNotDownload; i++) { allPrioritisedPieces.SetTrue ((files[i].File.StartPieceIndex, files[i].File.EndPieceIndex)); if (files[i].Priority == files[i - 1].Priority) { temp.SetTrue ((files[i].File.StartPieceIndex, files[i].File.EndPieceIndex)); } else if (!temp.AllFalse) { prioritised.Add (new MutableBitField (temp)); temp.SetAll (false); temp.SetTrue ((files[i].File.StartPieceIndex, files[i].File.EndPieceIndex)); } } if (!temp.AllFalse) prioritised.Add (new MutableBitField (temp)); } bool ShouldRebuildSelectors () { bool needsUpdate = false; for (int i = 0; i < files.Count; i++) needsUpdate |= files[i].TryRefreshPriority (); return needsUpdate; } } }
38.20765
159
0.580664
[ "MIT" ]
issueg2k4g34j2g/monotorrent
src/MonoTorrent.PiecePicking/MonoTorrent.PiecePicking/PriorityPicker.cs
6,992
C#
/* Copyright 2017 Coin Foundry (coinfoundry.org) Authors: Oliver Weichhold ([email protected]) 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.Collections.Generic; namespace MiningCore.Blockchain.Monero { public class MoneroWorkerJob { public MoneroWorkerJob(string jobId, double difficulty) { Id = jobId; Difficulty = difficulty; } public string Id { get; } public uint Height { get; set; } public uint ExtraNonce { get; set; } public double Difficulty { get; set; } public HashSet<string> Submissions { get; } = new HashSet<string>(); } }
40
103
0.738415
[ "MIT" ]
0xcitchx/miningcore
src/MiningCore/Blockchain/Monero/MoneroWorkerJob.cs
1,640
C#
using BusinessTrack.DataAccess.Concrete.EntityFrameworkCore.Contexts; using BusinessTrack.DataAccess.Interfaces; using BusinessTrack.Entities.Interfaces; using System.Collections.Generic; using System.Linq; namespace BusinessTrack.DataAccess.Concrete.EntityFrameworkCore.Repositories { public class EfGenericRepository<TEntity> : IGenericDal<TEntity> where TEntity : class, IEntity, new() { public List<TEntity> GetAll() { using var context = new BusinessTrackContext(); return context.Set<TEntity>().ToList(); } public TEntity GetById(int id) { using var context = new BusinessTrackContext(); return context.Set<TEntity>().Find(id); } public void Insert(TEntity entity) { using var context = new BusinessTrackContext(); context.Set<TEntity>().Add(entity); context.SaveChanges(); } public void Insert(IEnumerable<TEntity> entities) { using var context = new BusinessTrackContext(); context.Set<TEntity>().AddRange(entities); context.SaveChanges(); } public void Update(TEntity entity) { using var context = new BusinessTrackContext(); context.Set<TEntity>().Update(entity); context.SaveChanges(); } public void Delete(TEntity entity) { using var context = new BusinessTrackContext(); context.Set<TEntity>().Remove(entity); context.SaveChanges(); } public void Delete(IEnumerable<TEntity> entities) { using var context = new BusinessTrackContext(); context.Set<TEntity>().RemoveRange(entities); context.SaveChanges(); } } }
31.169492
106
0.609027
[ "MIT" ]
cihatsolak/BusinessTrackApp
BusinessTrackApplication/BusinessTrack.DataAccess/Concrete/EntityFrameworkCore/Repositories/EfGenericRepository.cs
1,841
C#
// Copyright (c) 2021 EPAM Systems // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. namespace Epam.FixAntenna.NetCore.FixEngine.Session { /// <summary> /// The <c>IBackupFIXSession</c> provides ability to switch the connection from /// the primary host to backup and vice versa. /// The backup session should configured by engine.properties and default.properties configuration files. /// </summary> internal interface IBackupFixSession { /// <summary> /// The method, switch current connection to backup. /// </summary> void SwitchToBackUp(); /// <summary> /// The method, switch current connection to primary. /// </summary> void SwitchToPrimary(); /// <summary> /// Returns true, if session connected to backup host. /// </summary> bool IsRunningOnBackup { get; } } }
33.641026
106
0.719512
[ "Apache-2.0" ]
epam/fix-antenna-net-core
FixAntenna/NetCore/FixEngine/Session/IBackupFixSession.cs
1,314
C#
using System.Collections.Generic; namespace Unity.Cloud.UserReporting { /// <summary> /// Represents a user report measure. /// </summary> public struct UserReportMeasure { #region Properties /// <summary> /// Gets or sets the end frame number. /// </summary> public int EndFrameNumber { get; set; } /// <summary> /// Gets or sets the metadata. /// </summary> public List<UserReportNamedValue> Metadata { get; set; } /// <summary> /// Gets or sets the metrics. /// </summary> public List<UserReportMetric> Metrics { get; set; } /// <summary> /// Gets or sets the start frame number. /// </summary> public int StartFrameNumber { get; set; } #endregion } }
24.382353
64
0.546441
[ "MIT" ]
Andy3118/FoxPlatformer
game-assets/UserReporting/Scripts/Client/UserReportMeasure.cs
831
C#
using System; using System.Collections.ObjectModel; using System.Composition; using System.Linq; using System.Reactive.Linq; using AvalonStudio.Extensibility; using AvalonStudio.Shell; using NBitcoin; using ReactiveUI; using WalletWasabi.Gui.ViewModels; using WalletWasabi.Models; namespace WalletWasabi.Gui.Controls.WalletExplorer { public class WalletViewModel : WasabiDocumentTabViewModel { private ObservableCollection<WalletActionViewModel> _actions; private string _title; public override string Title { get { return _title; } set { this.RaiseAndSetIfChanged(ref _title, value); } } public WalletViewModel(string name, bool receiveDominant) : base(name) { var coinsChanged = Observable.FromEventPattern(Global.WalletService.Coins, nameof(Global.WalletService.Coins.CollectionChanged)); var coinSpent = Observable.FromEventPattern(Global.WalletService, nameof(Global.WalletService.CoinSpentOrSpenderConfirmed)); coinsChanged .Merge(coinSpent) .ObserveOn(RxApp.MainThreadScheduler) .Subscribe(o => { SetBalance(name); }); SetBalance(name); if (receiveDominant) { _actions = new ObservableCollection<WalletActionViewModel> { new SendTabViewModel(this), new CoinJoinTabViewModel(this), new HistoryTabViewModel(this), new ReceiveTabViewModel(this) }; } else { _actions = new ObservableCollection<WalletActionViewModel> { new SendTabViewModel(this), new ReceiveTabViewModel(this), new CoinJoinTabViewModel(this), new HistoryTabViewModel(this) }; } foreach (var vm in _actions) { vm.DisplayActionTab(); } } public string Name { get; } public ObservableCollection<WalletActionViewModel> Actions { get { return _actions; } set { this.RaiseAndSetIfChanged(ref _actions, value); } } private void SetBalance(string walletName) { Money balance = Enumerable.Where(Global.WalletService.Coins, c => c.Unspent).Sum(c => (long?)c.Amount) ?? 0; Title = $"{walletName} ({balance.ToString(false, true)} BTC)"; } } }
24.682353
132
0.726406
[ "MIT" ]
BrianSipple/WalletWasabi
WalletWasabi.Gui/Controls/WalletExplorer/WalletViewModel.cs
2,098
C#
using System; using System.Linq; namespace Songhay.Publications.Models { /// <summary> /// Implements <see cref="IIndexEntry"/>. /// </summary> /// <remarks> /// The opinion here is that this class demonstrates /// the advantages of Typescript over a “classic” OOP language. /// /// The ability to cast an anonymous object into an interface /// would eliminate the need for this class. /// /// For more detail, see https://github.com/dotnet/roslyn/issues/13#issuecomment-70338359 /// </remarks> public class IndexEntry : IIndexEntry { /// <summary> /// Initializes a new instance of the <see cref="PublicationContext"/> class. /// </summary> /// <param name="data"></param> public IndexEntry(Segment data) { if(data == null) throw new ArgumentNullException(nameof(data)); Documents = data.Documents.ToArray(); ClientId = data.ClientId; EndDate = data.EndDate; InceptDate = data.InceptDate; IsActive = data.IsActive; ModificationDate = data.ModificationDate; ParentSegmentId = data.ParentSegmentId; SegmentId = data.SegmentId; SegmentName = data.SegmentName; SortOrdinal = data.SortOrdinal; } /// <summary> /// Gets or sets child segments. /// </summary> /// <value> /// The child segments. /// </value> public IIndexEntry[] Segments { get; set; } /// <summary> /// Gets or sets the documents. /// </summary> /// <value> /// The documents. /// </value> public IDocument[] Documents { get; set; } /// <summary> /// Gets or sets the segment identifier. /// </summary> /// <value> /// The segment identifier. /// </value> public int? SegmentId { get; set; } /// <summary> /// Gets or sets the name of the segment. /// </summary> /// <value> /// The name of the segment. /// </value> public string SegmentName { get; set; } /// <summary> /// Gets or sets the sort ordinal. /// </summary> /// <value> /// The sort ordinal. /// </value> public byte? SortOrdinal { get; set; } /// <summary> /// Gets or sets the parent segment identifier. /// </summary> /// <value> /// The parent segment identifier. /// </value> public int? ParentSegmentId { get; set; } /// <summary> /// Gets or sets the client identifier. /// </summary> /// <value> /// The client identifier. /// </value> public string ClientId { get; set; } /// <summary> /// Gets or sets the is active. /// </summary> /// <value> /// The is active. /// </value> public bool? IsActive { get; set; } /// <summary> /// End/expiration <see cref="DateTime"/> of the item. /// </summary> public DateTime? EndDate { get; set; } /// <summary> /// Origin <see cref="DateTime"/> of the item. /// </summary> public DateTime? InceptDate { get; set; } /// <summary> /// Modification/editorial <see cref="DateTime"/> of the item. /// </summary> public DateTime? ModificationDate { get; set; } } }
29.491667
93
0.51427
[ "MIT" ]
BryanWilhite/Songhay.Publications
Songhay.Publications/Models/IndexEntry.cs
3,543
C#
using System; using System.Collections.Generic; using System.Linq; using SudokuSolver.Functional; using SudokuSolver.Techniques.Wings; namespace SudokuSolver.Techniques.Helpers.Sets { internal record AlmostLockedSet { public IReadOnlyList<Cell> SetCells { get; } public ICollectionType CollectionType { get; } public int Size => SetCells.Count; public IEnumerable<int> Candidates => SetCells.SelectMany(c => c.Candidates).Distinct(); public AlmostLockedSet(IReadOnlyList<Cell> setCells) { SetCells = setCells ?? throw new ArgumentNullException(nameof(setCells)); var firstPosition = SetCells.First().Position; if (SetCells.All(c => c.Position.Row == firstPosition.Row)) { CollectionType = RowCollectionType.Instance; } else if (SetCells.All(c => c.Position.Col == firstPosition.Col)) { CollectionType = ColumnCollectionType.Instance; } else if (SetCells.All(c => c.Position.Box == firstPosition.Box)) { CollectionType = BoxCollectionType.Instance; } else { throw new ArgumentException($"Set cells have to all be in either the same row, column, or box. But the provided cells were not: {string.Join(", ", setCells)}.", nameof(setCells)); } } public virtual bool Equals(AlmostLockedSet other) => SetCells.SequenceEqual(other.SetCells); public override int GetHashCode() => HashCode.Combine(SetCells); public Maybe<WxyzWing> FormsWxyzWingWith(Cell cell) { if (CollectionType.Value(cell.Position) == CollectionType.Value(SetCells.First().Position)) { return Maybe<WxyzWing>.None; } var connectingCells = SetCells.Where(c => c.Position.ConnectsTo(cell.Position)); if (!connectingCells.Any()) { return Maybe<WxyzWing>.None; } var sharedCandidates = cell.Candidates; sharedCandidates = cell.Candidates.Intersect(connectingCells.SelectMany(c => c.Candidates)); if (!sharedCandidates.SetEquals(cell.Candidates)) { return Maybe<WxyzWing>.None; } var nonConnectingCells = SetCells.Where(c => !c.Position.ConnectsTo(cell.Position)); var overlapCandidates = sharedCandidates.Intersect(nonConnectingCells.SelectMany(c => c.Candidates)); if (overlapCandidates.Count() != 1) { return Maybe<WxyzWing>.None; } var zValue = overlapCandidates.Single(); return new WxyzWing(this, cell, zValue, CollectionType); } } }
41.043478
195
0.602048
[ "MIT" ]
raphael-kahler/SudokuSolver
src/SudokuSolver/Techniques/Helpers/Sets/AlmostLockedSet.cs
2,832
C#
/** * Copyright 2019 The Knights Of Unity, created by Pawel Stolarczyk * * 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; using DemoGame.Scripts.DataStorage; using DemoGame.Scripts.Menus; using DemoGame.Scripts.Session; using Facebook.Unity; using Nakama; using UnityEngine; using UnityEngine.UI; namespace DemoGame.Scripts.Profile { /// <summary> /// Panel used to change username and avatar of a user account. /// </summary> public class ProfileUpdatePanel : SingletonMenu<ProfileUpdatePanel> { #region Fields #region FacebookRestoreUI /// <summary> /// Begins account migration process by invoking /// <see cref="NakamaSessionManager.MigrateDeviceIdAsync(string)"/>. /// </summary> [SerializeField] private Button _facebookConflictConfirmButton = null; /// <summary> /// Panel with UI representing succesfull Facebook account linking. /// </summary> [SerializeField] private Menu _facebookSuccessPanel = null; /// <summary> /// Panel with UI representing failed Facebook account linking. /// </summary> [SerializeField] private Menu _facebookErrorPanel = null; /// <summary> /// Panel allowing user to chose whether to migrate current device to /// an already existing accoun linked to supplied Facebook account /// </summary> [SerializeField] private Menu _facebookConflictPanel = null; #endregion [Space] /// <summary> /// Sends account update request to Nakama server and closes the panel. /// </summary> [SerializeField] private Button _doneButton = null; /// <summary> /// Textbox containing account's username. /// </summary> [SerializeField] private InputField _usernameText = null; /// <summary> /// Restores account using Facebook. /// </summary> [SerializeField] private Button _linkFacebookButton = null; /// <summary> /// Image displying user's avatar. /// </summary> [SerializeField] private Image _avatarImage = null; /// <summary> /// Button used for changing avatars. /// </summary> [SerializeField] private Button _avatarButton = null; /// <summary> /// The path to currently displayed avatar in Resources folder. /// </summary> private string _avatarPath; #endregion #region Mono /// <summary> /// Sets button listeners. /// </summary> private void Start() { _avatarButton.onClick.AddListener(ChangeAvatar); _linkFacebookButton.onClick.AddListener(LinkFacebook); _facebookConflictConfirmButton.onClick.AddListener(MigrateAccount); _facebookConflictPanel.SetBackButtonHandler(_facebookConflictPanel.Hide); _facebookErrorPanel.SetBackButtonHandler(_facebookErrorPanel.Hide); _facebookSuccessPanel.SetBackButtonHandler(_facebookSuccessPanel.Hide); _facebookConflictPanel.Hide(); _facebookErrorPanel.Hide(); _facebookSuccessPanel.Hide(); base.SetBackButtonHandler(MenuManager.Instance.HideTopMenu); } #endregion #region Methods /// <summary> /// Makes this panel visible to the viewer. /// Fills fields with local user data. /// </summary> /// <param name="canTerminate"> /// If false, user can't exit this panel before updating their account. /// </param> public void ShowUpdatePanel(Action onDone, bool canTerminate) { // Update done button listeners _doneButton.onClick.RemoveAllListeners(); _doneButton.onClick.AddListener(() => Done(onDone)); IApiUser user = NakamaSessionManager.Instance.Account.User; _usernameText.text = user.Username; _avatarPath = user.AvatarUrl; _avatarImage.sprite = AvatarManager.Instance.LoadAvatar(_avatarPath); MenuManager.Instance.ShowMenu(this, false); if (canTerminate == true) { _backButton.gameObject.SetActive(true); } else { _backButton.gameObject.SetActive(false); } } /// <summary> /// Changes displayed avatar to next available. /// </summary> private void ChangeAvatar() { _avatarPath = AvatarManager.Instance.NextAvatar(_avatarPath); _avatarImage.sprite = AvatarManager.Instance.LoadAvatar(_avatarPath); } /// <summary> /// Links a Facebook account with Nakama user account. /// If given facebook account is already linked to other Nakama account, links a dummy device /// to current account, unlinks local device and migrates it to the Facebook linked account. /// </summary> private void LinkFacebook() { NakamaSessionManager.Instance.ConnectFacebook(OnFacebookResponded); } /// <summary> /// Invoked by <see cref="LinkFacebook"/> after successfull or unsuccessfull facebook linking. /// </summary> private void OnFacebookResponded(FacebookResponse response) { if (response == FacebookResponse.Conflict) { _facebookConflictPanel.Show(); } else if (response == FacebookResponse.Error || response == FacebookResponse.NotInitialized) { _facebookErrorPanel.Show(); } else if (response == FacebookResponse.Linked) { _facebookSuccessPanel.Show(); } } /// <summary> /// Migrates current device to supplied Facebook account. /// </summary> private async void MigrateAccount() { _facebookConflictPanel.Hide(); string token = AccessToken.CurrentAccessToken.TokenString; bool good = await NakamaSessionManager.Instance.MigrateDeviceIdAsync(token); if (good == false) { _facebookErrorPanel.Show(); } else { _facebookSuccessPanel.Show(); } } /// <summary> /// Sends account update request to server with new Username and AvatarUrl. /// </summary> private async void Done(Action onDone) { AuthenticationResponse response = await NakamaSessionManager.Instance.UpdateUserInfoAsync(_usernameText.text, _avatarPath); if (response != AuthenticationResponse.Error) { onDone?.Invoke(); MenuManager.Instance.HideTopMenu(); } } #endregion } }
33.433036
135
0.608359
[ "Apache-2.0" ]
ArisTsevrenis/unity-sampleproject
JollyRoger/Assets/DemoGame/Scripts/Profile/ProfileUpdatePanel.cs
7,491
C#
#if __IOS__ || MACCATALYST using PlatformView = UIKit.UIView; #elif MONOANDROID using PlatformView = Android.Views.View; #elif WINDOWS using PlatformView = Microsoft.Maui.Platform.RootNavigationView; #elif (NETSTANDARD || !PLATFORM) || (NET6_0 && !IOS && !ANDROID) using PlatformView = System.Object; #endif namespace Microsoft.Maui.Handlers { public partial interface IFlyoutViewHandler : IViewHandler { new IFlyoutView VirtualView { get; } new PlatformView PlatformView { get; } } }
27.388889
64
0.762677
[ "MIT" ]
10088/maui
src/Core/src/Handlers/FlyoutView/IFlyoutViewHandler.cs
495
C#
using UnityEngine; using System.Collections; using System.Collections.Generic; using System; using System.IO; using Newtonsoft.Json; using Newtonsoft.Json.Bson; public class JsonError { public string type; public string message; public int code; public string redirect; public JsonError() { } public JsonError(string type, string message) { this.type = type; this.message = message; } public JsonError(string type, string message, int code) { this.type = type; this.message = message; this.code = code; } public override string ToString() { return type + ": " + message + "(error " + code + ")"; } } public abstract class APIRequest { public string method = "POST"; public string uri; public string responseText; public Dictionary<string, string> param = new Dictionary<string, string>(); public JsonError error; // as seconds public float timeout = 30.0f; public object _target; public virtual string host { get { return string.Empty; } } public virtual bool clearOnError { get { return true; } } //public abstract void Parse(Hashtable h); public abstract void Parse(string json); // validate request before send to server // if error exist then set this.error public virtual bool Validate(ApiClient client) { // if(!client.isAuthorized) { // } else if(client.isExpired) { // } return true; } public void SetError(string message) { this.error = new JsonError("Warning", message); } public abstract IEnumerator HandleResponse(ApiClient client); public virtual IEnumerator HandleError(ApiClient client) { yield break; } } public class ApiClient : MonoBehaviour { string baseHost; public bool loggedIn { get; set; } private static ApiClient _instance; public static ApiClient instance { get { if (_instance == null) { _instance = FindObjectOfType(typeof(ApiClient)) as ApiClient; if (_instance == null) { _instance = new GameObject("APIClient").AddComponent<ApiClient>(); } } return _instance; } } private void Awake() { DontDestroyOnLoad(transform.gameObject); } public void set_base_host(String host) { baseHost = host; } public GUIText uiText; private void Log(string str) { Debug.Log(str); if (uiText) { uiText.text += str + "\r\n"; } } private void LogWarning(string str) { Debug.Log(str); if (uiText) { uiText.text += "Warn: " + str + "\r\n"; } } private void LogError(string str) { Debug.Log(str); if (uiText) { uiText.text += "Err: " + str + "\r\n"; } } public const string apiVersion = "0.0.1"; private Dictionary<string, string> cookies_ = new Dictionary<string, string>(); string cookie { get { List<string> values = new List<string>(); foreach (KeyValuePair<string, string> kv in cookies_) { values.Add(kv.Value); } return String.Join(";", values.ToArray()); } } public void ClearCookie() { if (cookies_ != null) { cookies_.Clear(); } } public delegate void OnRecvHandler(object req, ApiClient client); public delegate IEnumerator OKHandler(object req, ApiClient client); public delegate IEnumerator ErrorHandler(object req, ApiClient client); public bool isPending = false; public bool isHandled = true; public bool isAuthorized { get { // check by cookie return true; } } // 공용 에러처리 public void commonOnError(APIRequest req) { } #region Send private OnRecvHandler _onReceive; // Send packet public void SendPacket(APIRequest req, OnRecvHandler onRecvHandler, bool isLoadingIcon = false) { _onReceive = onRecvHandler; StartCoroutine(Send(req, OnOK, null)); } private IEnumerator OnOK(object req, ApiClient client) { if (_onReceive != null) { OnRecvHandler temp = _onReceive; _onReceive = null; temp(req, client); } yield break; } public IEnumerator Send(APIRequest req, OKHandler onOK, ErrorHandler onError = null) { bool queueing = true; if (!req.Validate(this)) { req.error = new JsonError("ValidateError", "invalid request"); } // wait until previous Send() float fElapsed = 0.0f; if (queueing) { while (isPending && fElapsed < req.timeout) { yield return 0; fElapsed += Time.deltaTime; } isPending = true; } string url = baseHost + req.uri; WWW www = null; bool error = false; string errorMsg = ""; string useragent = ""; try { Dictionary<string, string> headers = new Dictionary<string, string>(); #if UNITY_ANDROID useragent = "light-elky/" + apiVersion + " gzip android"; #elif UNITY_IOS useragent = "light-elky/" + apiVersion + " gzip ios"; #else useragent = "light-elky/" + apiVersion + " gzip editor"; #endif headers["User-Agent"] = useragent; if (isAuthorized) { headers["COOKIE"] = cookie; } else { Log(" cookie: not found"); } // zlib encoded string json = JsonConvert.SerializeObject(req.param); byte[] compressed = Ionic.Zlib.GZipStream.CompressString(json); //headers["Accept-Encoding"] = "gzip"; headers["Content-Type"] = "application/json"; headers["Content-Encoding"] = "gzip"; www = new WWW(url, compressed, headers); // POST only var strBase64 = System.Convert.ToBase64String(compressed); Log(strBase64); www.threadPriority = ThreadPriority.High; Log(" http request sent..."); } catch (System.Exception ex) { error = true; errorMsg = ex.ToString(); LogWarning(errorMsg); LogError(req.uri + ":" + errorMsg); } // wait for http request if (!error) { while (!www.isDone && www.error == null && fElapsed < req.timeout) { yield return 0; fElapsed += Time.deltaTime; } } if (queueing) { isPending = false; isHandled = false; } if (error) { // handle below www.Dispose(); www = null; } else if (fElapsed >= req.timeout) { www = null; req.error = new JsonError("TimeoutError", fElapsed.ToString()); } else if (null != www.error) { req.error = new JsonError("HttpError", www.error); Log(www.error); } else { try { foreach (KeyValuePair<string, string> kv in www.responseHeaders) { Log("***** [" + kv.Key + "]" + kv.Value); } // gzip check string text = ""; string contentEncoding; www.responseHeaders.TryGetValue("Content-Encoding", out contentEncoding); if (string.IsNullOrEmpty(contentEncoding)) www.responseHeaders.TryGetValue("CONTENT-ENCODING", out contentEncoding); if (contentEncoding == "gzip") { #if UNITY_EDITOR_OSX || UNITY_IOS text = www.text; #else Log("[gzip] " + www.size + "bytes"); Debug.LogWarning("[gzip] " + www.size + "bytes"); byte[] decompressed = Ionic.Zlib.GZipStream.UncompressBuffer(www.bytes); text = System.Text.UTF8Encoding.UTF8.GetString(decompressed); #endif } else if (contentEncoding == "bson") { Log("[bson] " + www.size + "bytes"); Debug.LogWarning("[bson] " + www.size + "bytes"); MemoryStream ms = new MemoryStream(www.bytes); using (BsonReader reader = new BsonReader(ms)) { JsonSerializer serializer = new JsonSerializer(); object obj = serializer.Deserialize(reader); text = obj.ToString(); } } else { Debug.LogWarning("[text] " + www.size + "bytes"); text = www.text; } // cookie check string setCookie; // responseHeaders only have single header, until now bool cookieFound = false; www.responseHeaders.TryGetValue("Set-Cookie", out setCookie); if (string.IsNullOrEmpty(setCookie)) www.responseHeaders.TryGetValue("SET-COOKIE", out setCookie); if (setCookie != null && setCookie.Length > 0) { string rawCookie = setCookie.Split(';')[0]; string cookieName = rawCookie.Split('=')[0]; // not to remove " cookies_[cookieName] = rawCookie; cookieFound = true; } if (cookieFound) { foreach (KeyValuePair<string, string> kv in cookies_) { Log(" cookie: " + kv.Value); } } else if (isAuthorized) { Log(" cookie not found from response but authorized."); } else { Log(" cookie not found from response."); } req.responseText = text; // json check string contentType; bool isJson = false; if (www.responseHeaders.TryGetValue("Content-Type", out contentType)) { if (contentType.Contains("json")) { isJson = true; } } else { if (!string.IsNullOrEmpty(text) && (text[0] == '{' && text[text.Length - 1] == '}' || text[0] == '[' && text[text.Length - 1] == ']')) { isJson = true; } } if (isJson) { Log("json response. try to parse json..."); try { Log(text); { // try parse Response req.Parse(text); } } catch (Exception ex) { req.error = new JsonError("ParseError", ex.ToString()); Debug.LogError(ex); } } else { Log("non-json response. skip parsing..."); } } catch (Exception ex) { error = true; errorMsg = ex.ToString(); LogWarning(errorMsg); Debug.LogError(ex); } } if (error) { req.error = new JsonError("ExceptionError", errorMsg); } if (req.error == null) { yield return StartCoroutine(req.HandleResponse(this)); if (req.error == null && onOK != null) { // HandleResponse can throw error! yield return StartCoroutine(onOK(req, this)); } } if (req.error != null) { // OK handler can throw error. yield return StartCoroutine(req.HandleError(this)); if (onError != null) { yield return StartCoroutine(onError(req, this)); } commonOnError(req); yield return 0; } if (queueing) { isHandled = true; } yield break; } #endregion } public class Login : APIRequest { public class Response { public long GUID; public string UserID; public string AccountName; } public Response response; public Login(string UserID, string Password, string DeviceType, string DeviceID, string DeviceInfo) { uri = "/login"; param["UserID"] = UserID; param["Password"] = Password; param["Payload"] = "light_local_test"; } public override bool Validate(ApiClient client) { client.ClearCookie(); return true; } public override void Parse(string json) { response = JsonConvert.DeserializeObject<Response>(json); } public override IEnumerator HandleResponse(ApiClient client) { yield break; } } public class RelayStart : APIRequest { public class member_info { public string id; public string hash; } public class Response { public string server_address; public string roomnum; public List<member_info> members; } public Response response; public RelayStart(int guid) { uri = "/relay/start"; param["UserID"] = guid.ToString(); param["RoomNumber"] = "6464"; } public override void Parse(string json) { response = JsonConvert.DeserializeObject<Response>(json); } public override IEnumerator HandleResponse(ApiClient client) { yield break; } }
25.458633
103
0.503144
[ "Apache-2.0" ]
elky84/unity-net-sample
unity_game_test/Assets/Scripts/APIClient.cs
14,169
C#
using GraphQL; using GraphQL.Types; using GraphQLDotNetCore.Contracts; using GraphQLDotNetCore.GraphQL.GraphQLTypes; using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace GraphQLDotNetCore.GraphQL.GraphQLQueries { public class AppQuery : ObjectGraphType { public AppQuery(IOwnerRepository repository) { Field<ListGraphType<OwnerType>>( "owners", resolve: context => repository.GetAll() ); Field<OwnerType>( "owner", arguments: new QueryArguments(new QueryArgument<NonNullGraphType<IdGraphType>> { Name = "ownerId" }), resolve: context => { Guid id; if (!Guid.TryParse(context.GetArgument<string>("ownerId"), out id)) { context.Errors.Add(new ExecutionError("Wrong value for guid")); return null; } return repository.GetById(id); } ); } } }
29.205128
117
0.543459
[ "MIT" ]
andreatosato/graphql
CodeMaze/graphql-series-graphql-mutations/GraphQLDotNetCore/GraphQL/GraphQLQueries/AppQuery.cs
1,141
C#
using System; using System.Collections.Generic; using System.Data; using System.Data.Entity; using System.Data.Entity.Infrastructure; using System.Linq; using System.Net; using System.Net.Http; using System.Threading.Tasks; using System.Web.Http; using System.Web.Http.Description; using PrantikAPI.DataLayer; using PrantikAPI.Models; using PrantikAPI.ProviderLayer; namespace PrantikAPI.Controllers { public class PaymentsController : ApiController { // private PrantikEntities db = new PrantikEntities(); private PaymentModeProvider _provider = new PaymentModeProvider(); // GET: api/Payments /* public async Task<IEnumerable<PaymentModel>> GetPayments() { return await _provider.GetPayments(); } // GET: api/Payments/5 [ResponseType(typeof(PaymentModel))] public async Task<IHttpActionResult> GetPayment(long id) { PaymentModel payment = await _provider.GetPaymentFromId(id); if (payment == null) { return NotFound(); } return Ok(payment); }*/ // PUT: api/Payments/5 [ResponseType(typeof(void))] public async Task<IHttpActionResult> PutPayment(long id, PaymentModel paymentModel) { if (!ModelState.IsValid) { return BadRequest(ModelState); } try { PaymentModel payment = await _provider.PutPayment(id, paymentModel); if (payment.Id == 0) return BadRequest(); } catch (Exception ex) { return InternalServerError(ex); } return StatusCode(HttpStatusCode.NoContent); } // POST: api/Payments [ResponseType(typeof(PaymentModel))] public async Task<IHttpActionResult> PostPayment(PaymentModel paymentModel) { if (!ModelState.IsValid) { return BadRequest(ModelState); } paymentModel.CreateDate = DateTime.Today; paymentModel = await _provider.PostPaymentFrom(paymentModel); return CreatedAtRoute("DefaultApi", new { id = paymentModel.Id }, paymentModel); } // DELETE: api/Payments/5 /* [ResponseType(typeof(Payment))] public async Task<IHttpActionResult> DeletePayment(long id) { Payment payment = await db.Payments.FindAsync(id); if (payment == null) { return NotFound(); } db.Payments.Remove(payment); await db.SaveChangesAsync(); return Ok(payment); } protected override void Dispose(bool disposing) { if (disposing) { db.Dispose(); } base.Dispose(disposing); } private bool PaymentExists(long id) { return db.Payments.Count(e => e.Id == id) > 0; }*/ } }
28.841121
92
0.565457
[ "MIT" ]
anikchowdhury/Prantik
PrantikAPI/PrantikAPI/Controllers/PaymentsController.cs
3,088
C#
using UnityEngine; using System.Collections; [ExecuteInEditMode] [RequireComponent(typeof(Camera))] public class PostProcessDepthGrayscale : MonoBehaviour { public Material mat; Camera camera; void Start () { camera = GetComponent<Camera> (); camera.depthTextureMode = DepthTextureMode.Depth; } void OnRenderImage (RenderTexture source, RenderTexture destination){ Graphics.Blit(source,destination,mat); //mat is the material which contains the shader //we are passing the destination RenderTexture to } }
23.954545
70
0.774194
[ "MIT" ]
dmdSpirit/FeaturesCollection
Assets/inWork/Snow/PostProcessDepthGrayscale.cs
529
C#
using System; namespace scopely.msgpacksharp.tests { public class Tank { public Tank() { } public float MaxSpeed { get; set; } public string Name { get; set; } public AnimalMessage Cargo { get; set; } } }
16.75
48
0.544776
[ "Apache-2.0" ]
scopely/msgpack-sharp
msgpack-sharp-tests/Tank.cs
270
C#
namespace Root.Coding.Code.Models.E01D.Base.Signalling { public class Signal<TSignalContent>:TypeReferencedSignalBase, StandardSignal_I { /// <summary> /// Get or sets the action to be performed on the content of the signal /// </summary> public string Action { get; set; } /// <summary> /// Gets or sets the content of the signal /// </summary> public TSignalContent Content { get; set; } /// <summary> /// Gets the content of the signal /// </summary> object StandardSignal_I.Content => Content; /// <summary> /// Gets or sets the id of the signal relative to the sender. /// </summary> public long Id { get; set; } /// <summary> /// Gets or sets the messages associated with the signal /// </summary> public SignalMessage_I[] Messages { get; set; } } public class StandardSignal:TypeReferencedSignalBase, StandardSignal_I { /// <summary> /// Get or sets the action to be performed on the content of the signal /// </summary> public string Action { get; set; } /// <summary> /// Gets or sets the content of the signal /// </summary> public object Content { get; set; } /// <summary> /// Gets or sets the id of the signal relative to the sender. /// </summary> public long Id { get; set; } public SignalMessage_I[] Messages { get; set; } } }
30.196078
82
0.566234
[ "Apache-2.0" ]
E01D/Base
src/E01D.Base.Signalling.Models/Coding/Code/Models/E01D/Base/Signalling/StandardSignal.cs
1,542
C#
using CharlieBackend.Core.Entities; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace CharlieBackend.Data.Repositories.Impl.Interfaces { public interface IRepository<T> where T : BaseEntity { IQueryable<T> GetQueryableNoTracking(); Task<List<T>> GetAllAsync(); Task<T> GetByIdAsync(long id); void Add(T entity); void Update(T entity); Task DeleteAsync(long id); Task<bool> IsEntityExistAsync(long id); Task<IEnumerable<long>> GetNotExistEntitiesIdsAsync(IEnumerable<long> ids); } }
22.592593
83
0.688525
[ "MIT" ]
BobinMathew/WhatBackend
CharlieBackend.Data/Repositories/Impl/Interfaces/IRepository.cs
612
C#
/* * Copyright (c) Contributors, http://opensimulator.org/ * See CONTRIBUTORS.TXT for a full list of copyright holders. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are met: * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * * Neither the name of the OpenSimulator Project 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 DEVELOPERS ``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 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.Generic; using System.Drawing; using System.Drawing.Imaging; using System.IO; using System.Net; using System.Text; using OpenMetaverse; using OpenMetaverse.Imaging; using OpenMetaverse.Packets; using OpenSim.Framework; using OpenSim.Framework.Servers; using OpenSim.Framework.Servers.HttpServer; using OpenSim.Region.Framework.Scenes; namespace OpenSim.Client.VWoHTTP.ClientStack { class VWHClientView : IClientAPI { private Scene m_scene; public bool ProcessInMsg(OSHttpRequest req, OSHttpResponse resp) { // 0 1 2 3 // http://simulator.com:9000/vwohttp/sessionid/methodname/param string[] urlparts = req.Url.AbsolutePath.Split(new char[] {'/'}, StringSplitOptions.RemoveEmptyEntries); UUID sessionID; // Check for session if (!UUID.TryParse(urlparts[1], out sessionID)) return false; // Check we match session if (sessionID != SessionId) return false; string method = urlparts[2]; string param = String.Empty; if (urlparts.Length > 3) param = urlparts[3]; bool found; switch (method.ToLower()) { case "textures": found = ProcessTextureRequest(param, resp); break; default: found = false; break; } return found; } private bool ProcessTextureRequest(string param, OSHttpResponse resp) { UUID assetID; if (!UUID.TryParse(param, out assetID)) return false; AssetBase asset = m_scene.AssetService.Get(assetID.ToString()); if (asset == null) return false; ManagedImage tmp; Image imgData; byte[] jpegdata; OpenJPEG.DecodeToImage(asset.Data, out tmp, out imgData); using (MemoryStream ms = new MemoryStream()) { imgData.Save(ms, ImageFormat.Jpeg); jpegdata = ms.GetBuffer(); } resp.ContentType = "image/jpeg"; resp.ContentLength = jpegdata.Length; resp.StatusCode = 200; resp.Body.Write(jpegdata, 0, jpegdata.Length); return true; } public VWHClientView(UUID sessionID, UUID agentID, string agentName, Scene scene) { m_scene = scene; } #region Implementation of IClientAPI public Vector3 StartPos { get { throw new System.NotImplementedException(); } set { throw new System.NotImplementedException(); } } public UUID AgentId { get { throw new System.NotImplementedException(); } } public UUID SessionId { get { throw new System.NotImplementedException(); } } public UUID SecureSessionId { get { throw new System.NotImplementedException(); } } public UUID ActiveGroupId { get { throw new System.NotImplementedException(); } } public string ActiveGroupName { get { throw new System.NotImplementedException(); } } public ulong ActiveGroupPowers { get { throw new System.NotImplementedException(); } } public ulong GetGroupPowers(UUID groupID) { throw new System.NotImplementedException(); } public bool IsGroupMember(UUID GroupID) { throw new System.NotImplementedException(); } public string FirstName { get { throw new System.NotImplementedException(); } } public string LastName { get { throw new System.NotImplementedException(); } } public IScene Scene { get { throw new System.NotImplementedException(); } } public int NextAnimationSequenceNumber { get { throw new System.NotImplementedException(); } } public string Name { get { throw new System.NotImplementedException(); } } public bool IsActive { get { throw new System.NotImplementedException(); } set { throw new System.NotImplementedException(); } } public bool IsLoggingOut { get { throw new System.NotImplementedException(); } set { throw new System.NotImplementedException(); } } public bool SendLogoutPacketWhenClosing { set { throw new System.NotImplementedException(); } } public uint CircuitCode { get { throw new System.NotImplementedException(); } } public IPEndPoint RemoteEndPoint { get { throw new System.NotImplementedException(); } } public event GenericMessage OnGenericMessage = delegate { }; public event ImprovedInstantMessage OnInstantMessage = delegate { }; public event ChatMessage OnChatFromClient = delegate { }; public event TextureRequest OnRequestTexture = delegate { }; public event RezObject OnRezObject = delegate { }; public event ModifyTerrain OnModifyTerrain = delegate { }; public event BakeTerrain OnBakeTerrain = delegate { }; public event EstateChangeInfo OnEstateChangeInfo = delegate { }; public event SetAppearance OnSetAppearance = delegate { }; public event AvatarNowWearing OnAvatarNowWearing = delegate { }; public event RezSingleAttachmentFromInv OnRezSingleAttachmentFromInv = delegate { return new UUID(); }; public event RezMultipleAttachmentsFromInv OnRezMultipleAttachmentsFromInv = delegate { }; public event UUIDNameRequest OnDetachAttachmentIntoInv = delegate { }; public event ObjectAttach OnObjectAttach = delegate { }; public event ObjectDeselect OnObjectDetach = delegate { }; public event ObjectDrop OnObjectDrop = delegate { }; public event StartAnim OnStartAnim = delegate { }; public event StopAnim OnStopAnim = delegate { }; public event LinkObjects OnLinkObjects = delegate { }; public event DelinkObjects OnDelinkObjects = delegate { }; public event RequestMapBlocks OnRequestMapBlocks = delegate { }; public event RequestMapName OnMapNameRequest = delegate { }; public event TeleportLocationRequest OnTeleportLocationRequest = delegate { }; public event DisconnectUser OnDisconnectUser = delegate { }; public event RequestAvatarProperties OnRequestAvatarProperties = delegate { }; public event SetAlwaysRun OnSetAlwaysRun = delegate { }; public event TeleportLandmarkRequest OnTeleportLandmarkRequest = delegate { }; public event DeRezObject OnDeRezObject = delegate { }; public event Action<IClientAPI> OnRegionHandShakeReply = delegate { }; public event GenericCall1 OnRequestWearables = delegate { }; public event GenericCall1 OnCompleteMovementToRegion = delegate { }; public event UpdateAgent OnPreAgentUpdate; public event UpdateAgent OnAgentUpdate = delegate { }; public event AgentRequestSit OnAgentRequestSit = delegate { }; public event AgentSit OnAgentSit = delegate { }; public event AvatarPickerRequest OnAvatarPickerRequest = delegate { }; public event Action<IClientAPI> OnRequestAvatarsData = delegate { }; public event AddNewPrim OnAddPrim = delegate { }; public event FetchInventory OnAgentDataUpdateRequest = delegate { }; public event TeleportLocationRequest OnSetStartLocationRequest = delegate { }; public event RequestGodlikePowers OnRequestGodlikePowers = delegate { }; public event GodKickUser OnGodKickUser = delegate { }; public event ObjectDuplicate OnObjectDuplicate = delegate { }; public event ObjectDuplicateOnRay OnObjectDuplicateOnRay = delegate { }; public event GrabObject OnGrabObject = delegate { }; public event DeGrabObject OnDeGrabObject = delegate { }; public event MoveObject OnGrabUpdate = delegate { }; public event SpinStart OnSpinStart = delegate { }; public event SpinObject OnSpinUpdate = delegate { }; public event SpinStop OnSpinStop = delegate { }; public event UpdateShape OnUpdatePrimShape = delegate { }; public event ObjectExtraParams OnUpdateExtraParams = delegate { }; public event ObjectRequest OnObjectRequest = delegate { }; public event ObjectSelect OnObjectSelect = delegate { }; public event ObjectDeselect OnObjectDeselect = delegate { }; public event GenericCall7 OnObjectDescription = delegate { }; public event GenericCall7 OnObjectName = delegate { }; public event GenericCall7 OnObjectClickAction = delegate { }; public event GenericCall7 OnObjectMaterial = delegate { }; public event RequestObjectPropertiesFamily OnRequestObjectPropertiesFamily = delegate { }; public event UpdatePrimFlags OnUpdatePrimFlags = delegate { }; public event UpdatePrimTexture OnUpdatePrimTexture = delegate { }; public event UpdateVector OnUpdatePrimGroupPosition = delegate { }; public event UpdateVector OnUpdatePrimSinglePosition = delegate { }; public event UpdatePrimRotation OnUpdatePrimGroupRotation = delegate { }; public event UpdatePrimSingleRotation OnUpdatePrimSingleRotation = delegate { }; public event UpdatePrimSingleRotationPosition OnUpdatePrimSingleRotationPosition = delegate { }; public event UpdatePrimGroupRotation OnUpdatePrimGroupMouseRotation = delegate { }; public event UpdateVector OnUpdatePrimScale = delegate { }; public event UpdateVector OnUpdatePrimGroupScale = delegate { }; public event StatusChange OnChildAgentStatus = delegate { }; public event GenericCall2 OnStopMovement = delegate { }; public event Action<UUID> OnRemoveAvatar = delegate { }; public event ObjectPermissions OnObjectPermissions = delegate { }; public event CreateNewInventoryItem OnCreateNewInventoryItem = delegate { }; public event LinkInventoryItem OnLinkInventoryItem = delegate { }; public event CreateInventoryFolder OnCreateNewInventoryFolder = delegate { }; public event UpdateInventoryFolder OnUpdateInventoryFolder = delegate { }; public event MoveInventoryFolder OnMoveInventoryFolder = delegate { }; public event FetchInventoryDescendents OnFetchInventoryDescendents = delegate { }; public event PurgeInventoryDescendents OnPurgeInventoryDescendents = delegate { }; public event FetchInventory OnFetchInventory = delegate { }; public event RequestTaskInventory OnRequestTaskInventory = delegate { }; public event UpdateInventoryItem OnUpdateInventoryItem = delegate { }; public event CopyInventoryItem OnCopyInventoryItem = delegate { }; public event MoveInventoryItem OnMoveInventoryItem = delegate { }; public event RemoveInventoryFolder OnRemoveInventoryFolder = delegate { }; public event RemoveInventoryItem OnRemoveInventoryItem = delegate { }; public event UDPAssetUploadRequest OnAssetUploadRequest = delegate { }; public event XferReceive OnXferReceive = delegate { }; public event RequestXfer OnRequestXfer = delegate { }; public event ConfirmXfer OnConfirmXfer = delegate { }; public event AbortXfer OnAbortXfer = delegate { }; public event RezScript OnRezScript = delegate { }; public event UpdateTaskInventory OnUpdateTaskInventory = delegate { }; public event MoveTaskInventory OnMoveTaskItem = delegate { }; public event RemoveTaskInventory OnRemoveTaskItem = delegate { }; public event RequestAsset OnRequestAsset = delegate { }; public event UUIDNameRequest OnNameFromUUIDRequest = delegate { }; public event ParcelAccessListRequest OnParcelAccessListRequest = delegate { }; public event ParcelAccessListUpdateRequest OnParcelAccessListUpdateRequest = delegate { }; public event ParcelPropertiesRequest OnParcelPropertiesRequest = delegate { }; public event ParcelDivideRequest OnParcelDivideRequest = delegate { }; public event ParcelJoinRequest OnParcelJoinRequest = delegate { }; public event ParcelPropertiesUpdateRequest OnParcelPropertiesUpdateRequest = delegate { }; public event ParcelSelectObjects OnParcelSelectObjects = delegate { }; public event ParcelObjectOwnerRequest OnParcelObjectOwnerRequest = delegate { }; public event ParcelAbandonRequest OnParcelAbandonRequest = delegate { }; public event ParcelGodForceOwner OnParcelGodForceOwner = delegate { }; public event ParcelReclaim OnParcelReclaim = delegate { }; public event ParcelReturnObjectsRequest OnParcelReturnObjectsRequest = delegate { }; public event ParcelDeedToGroup OnParcelDeedToGroup = delegate { }; public event RegionInfoRequest OnRegionInfoRequest = delegate { }; public event EstateCovenantRequest OnEstateCovenantRequest = delegate { }; public event FriendActionDelegate OnApproveFriendRequest = delegate { }; public event FriendActionDelegate OnDenyFriendRequest = delegate { }; public event FriendshipTermination OnTerminateFriendship = delegate { }; public event GrantUserFriendRights OnGrantUserRights = delegate { }; public event MoneyTransferRequest OnMoneyTransferRequest = delegate { }; public event EconomyDataRequest OnEconomyDataRequest = delegate { }; public event MoneyBalanceRequest OnMoneyBalanceRequest = delegate { }; public event UpdateAvatarProperties OnUpdateAvatarProperties = delegate { }; public event ParcelBuy OnParcelBuy = delegate { }; public event RequestPayPrice OnRequestPayPrice = delegate { }; public event ObjectSaleInfo OnObjectSaleInfo = delegate { }; public event ObjectBuy OnObjectBuy = delegate { }; public event BuyObjectInventory OnBuyObjectInventory = delegate { }; public event RequestTerrain OnRequestTerrain = delegate { }; public event RequestTerrain OnUploadTerrain = delegate { }; public event ObjectIncludeInSearch OnObjectIncludeInSearch = delegate { }; public event UUIDNameRequest OnTeleportHomeRequest = delegate { }; public event ScriptAnswer OnScriptAnswer = delegate { }; public event AgentSit OnUndo = delegate { }; public event AgentSit OnRedo = delegate { }; public event LandUndo OnLandUndo = delegate { }; public event ForceReleaseControls OnForceReleaseControls = delegate { }; public event GodLandStatRequest OnLandStatRequest = delegate { }; public event DetailedEstateDataRequest OnDetailedEstateDataRequest = delegate { }; public event SetEstateFlagsRequest OnSetEstateFlagsRequest = delegate { }; public event SetEstateTerrainBaseTexture OnSetEstateTerrainBaseTexture = delegate { }; public event SetEstateTerrainDetailTexture OnSetEstateTerrainDetailTexture = delegate { }; public event SetEstateTerrainTextureHeights OnSetEstateTerrainTextureHeights = delegate { }; public event CommitEstateTerrainTextureRequest OnCommitEstateTerrainTextureRequest = delegate { }; public event SetRegionTerrainSettings OnSetRegionTerrainSettings = delegate { }; public event EstateRestartSimRequest OnEstateRestartSimRequest = delegate { }; public event EstateChangeCovenantRequest OnEstateChangeCovenantRequest = delegate { }; public event UpdateEstateAccessDeltaRequest OnUpdateEstateAccessDeltaRequest = delegate { }; public event SimulatorBlueBoxMessageRequest OnSimulatorBlueBoxMessageRequest = delegate { }; public event EstateBlueBoxMessageRequest OnEstateBlueBoxMessageRequest = delegate { }; public event EstateDebugRegionRequest OnEstateDebugRegionRequest = delegate { }; public event EstateTeleportOneUserHomeRequest OnEstateTeleportOneUserHomeRequest = delegate { }; public event EstateTeleportAllUsersHomeRequest OnEstateTeleportAllUsersHomeRequest = delegate { }; public event UUIDNameRequest OnUUIDGroupNameRequest = delegate { }; public event RegionHandleRequest OnRegionHandleRequest = delegate { }; public event ParcelInfoRequest OnParcelInfoRequest = delegate { }; public event RequestObjectPropertiesFamily OnObjectGroupRequest = delegate { }; public event ScriptReset OnScriptReset = delegate { }; public event GetScriptRunning OnGetScriptRunning = delegate { }; public event SetScriptRunning OnSetScriptRunning = delegate { }; public event UpdateVector OnAutoPilotGo = delegate { }; public event TerrainUnacked OnUnackedTerrain = delegate { }; public event ActivateGesture OnActivateGesture = delegate { }; public event DeactivateGesture OnDeactivateGesture = delegate { }; public event ObjectOwner OnObjectOwner = delegate { }; public event DirPlacesQuery OnDirPlacesQuery = delegate { }; public event DirFindQuery OnDirFindQuery = delegate { }; public event DirLandQuery OnDirLandQuery = delegate { }; public event DirPopularQuery OnDirPopularQuery = delegate { }; public event DirClassifiedQuery OnDirClassifiedQuery = delegate { }; public event EventInfoRequest OnEventInfoRequest = delegate { }; public event ParcelSetOtherCleanTime OnParcelSetOtherCleanTime = delegate { }; public event MapItemRequest OnMapItemRequest = delegate { }; public event OfferCallingCard OnOfferCallingCard = delegate { }; public event AcceptCallingCard OnAcceptCallingCard = delegate { }; public event DeclineCallingCard OnDeclineCallingCard = delegate { }; public event SoundTrigger OnSoundTrigger = delegate { }; public event StartLure OnStartLure = delegate { }; public event TeleportLureRequest OnTeleportLureRequest = delegate { }; public event NetworkStats OnNetworkStatsUpdate = delegate { }; public event ClassifiedInfoRequest OnClassifiedInfoRequest = delegate { }; public event ClassifiedInfoUpdate OnClassifiedInfoUpdate = delegate { }; public event ClassifiedDelete OnClassifiedDelete = delegate { }; public event ClassifiedDelete OnClassifiedGodDelete = delegate { }; public event EventNotificationAddRequest OnEventNotificationAddRequest = delegate { }; public event EventNotificationRemoveRequest OnEventNotificationRemoveRequest = delegate { }; public event EventGodDelete OnEventGodDelete = delegate { }; public event ParcelDwellRequest OnParcelDwellRequest = delegate { }; public event UserInfoRequest OnUserInfoRequest = delegate { }; public event UpdateUserInfo OnUpdateUserInfo = delegate { }; public event RetrieveInstantMessages OnRetrieveInstantMessages = delegate { }; public event PickDelete OnPickDelete = delegate { }; public event PickGodDelete OnPickGodDelete = delegate { }; public event PickInfoUpdate OnPickInfoUpdate = delegate { }; public event AvatarNotesUpdate OnAvatarNotesUpdate = delegate { }; public event MuteListRequest OnMuteListRequest = delegate { }; public event AvatarInterestUpdate OnAvatarInterestUpdate = delegate { }; public event PlacesQuery OnPlacesQuery = delegate { }; public event FindAgentUpdate OnFindAgent = delegate { }; public event TrackAgentUpdate OnTrackAgent = delegate { }; public event NewUserReport OnUserReport = delegate { }; public event SaveStateHandler OnSaveState = delegate { }; public event GroupAccountSummaryRequest OnGroupAccountSummaryRequest = delegate { }; public event GroupAccountDetailsRequest OnGroupAccountDetailsRequest = delegate { }; public event GroupAccountTransactionsRequest OnGroupAccountTransactionsRequest = delegate { }; public event FreezeUserUpdate OnParcelFreezeUser = delegate { }; public event EjectUserUpdate OnParcelEjectUser = delegate { }; public event ParcelBuyPass OnParcelBuyPass = delegate { }; public event ParcelGodMark OnParcelGodMark = delegate { }; public event GroupActiveProposalsRequest OnGroupActiveProposalsRequest = delegate { }; public event GroupVoteHistoryRequest OnGroupVoteHistoryRequest = delegate { }; public event SimWideDeletesDelegate OnSimWideDeletes = delegate { }; public event SendPostcard OnSendPostcard = delegate { }; public event MuteListEntryUpdate OnUpdateMuteListEntry = delegate { }; public event MuteListEntryRemove OnRemoveMuteListEntry = delegate { }; public event GodlikeMessage onGodlikeMessage = delegate { }; public event GodUpdateRegionInfoUpdate OnGodUpdateRegionInfoUpdate = delegate { }; public void SetDebugPacketLevel(int newDebug) { throw new System.NotImplementedException(); } public void InPacket(object NewPack) { throw new System.NotImplementedException(); } public void ProcessInPacket(Packet NewPack) { throw new System.NotImplementedException(); } public void Close() { throw new System.NotImplementedException(); } public void Kick(string message) { throw new System.NotImplementedException(); } public void Start() { throw new System.NotImplementedException(); } public void Stop() { throw new System.NotImplementedException(); } public void SendWearables(AvatarWearable[] wearables, int serial) { throw new System.NotImplementedException(); } public void SendAppearance(UUID agentID, byte[] visualParams, byte[] textureEntry) { throw new System.NotImplementedException(); } public void SendStartPingCheck(byte seq) { throw new System.NotImplementedException(); } public void SendKillObject(ulong regionHandle, uint localID) { throw new System.NotImplementedException(); } public void SendAnimations(UUID[] animID, int[] seqs, UUID sourceAgentId, UUID[] objectIDs) { throw new System.NotImplementedException(); } public void SendRegionHandshake(RegionInfo regionInfo, RegionHandshakeArgs args) { throw new System.NotImplementedException(); } public void SendChatMessage(string message, byte type, Vector3 fromPos, string fromName, UUID fromAgentID, byte source, byte audible) { throw new System.NotImplementedException(); } public void SendInstantMessage(GridInstantMessage im) { throw new System.NotImplementedException(); } public void SendGenericMessage(string method, List<string> message) { } public void SendGenericMessage(string method, List<byte[]> message) { throw new System.NotImplementedException(); } public void SendLayerData(float[] map) { throw new System.NotImplementedException(); } public void SendLayerData(int px, int py, float[] map) { throw new System.NotImplementedException(); } public void SendWindData(Vector2[] windSpeeds) { throw new System.NotImplementedException(); } public void SendCloudData(float[] cloudCover) { throw new System.NotImplementedException(); } public void MoveAgentIntoRegion(RegionInfo regInfo, Vector3 pos, Vector3 look) { throw new System.NotImplementedException(); } public void InformClientOfNeighbour(ulong neighbourHandle, IPEndPoint neighbourExternalEndPoint) { throw new System.NotImplementedException(); } public AgentCircuitData RequestClientInfo() { throw new System.NotImplementedException(); } public void CrossRegion(ulong newRegionHandle, Vector3 pos, Vector3 lookAt, IPEndPoint newRegionExternalEndPoint, string capsURL) { throw new System.NotImplementedException(); } public void SendMapBlock(List<MapBlockData> mapBlocks, uint flag) { throw new System.NotImplementedException(); } public void SendLocalTeleport(Vector3 position, Vector3 lookAt, uint flags) { throw new System.NotImplementedException(); } public void SendRegionTeleport(ulong regionHandle, byte simAccess, IPEndPoint regionExternalEndPoint, uint locationID, uint flags, string capsURL) { throw new System.NotImplementedException(); } public void SendTeleportFailed(string reason) { throw new System.NotImplementedException(); } public void SendTeleportStart(uint flags) { throw new System.NotImplementedException(); } public void SendTeleportProgress(uint flags, string message) { throw new System.NotImplementedException(); } public void SendMoneyBalance(UUID transaction, bool success, byte[] description, int balance) { throw new System.NotImplementedException(); } public void SendPayPrice(UUID objectID, int[] payPrice) { throw new System.NotImplementedException(); } public void SendCoarseLocationUpdate(List<UUID> users, List<Vector3> CoarseLocations) { throw new System.NotImplementedException(); } public void SetChildAgentThrottle(byte[] throttle) { throw new System.NotImplementedException(); } public void SendAvatarDataImmediate(ISceneEntity avatar) { throw new System.NotImplementedException(); } public void SendPrimUpdate(ISceneEntity entity, PrimUpdateFlags updateFlags) { throw new System.NotImplementedException(); } public void ReprioritizeUpdates() { throw new System.NotImplementedException(); } public void FlushPrimUpdates() { throw new System.NotImplementedException(); } public void SendInventoryFolderDetails(UUID ownerID, UUID folderID, List<InventoryItemBase> items, List<InventoryFolderBase> folders, int version, bool fetchFolders, bool fetchItems) { throw new System.NotImplementedException(); } public void SendInventoryItemDetails(UUID ownerID, InventoryItemBase item) { throw new System.NotImplementedException(); } public void SendInventoryItemCreateUpdate(InventoryItemBase Item, uint callbackId) { throw new System.NotImplementedException(); } public void SendRemoveInventoryItem(UUID itemID) { throw new System.NotImplementedException(); } public void SendTakeControls(int controls, bool passToAgent, bool TakeControls) { throw new System.NotImplementedException(); } public void SendTaskInventory(UUID taskID, short serial, byte[] fileName) { throw new System.NotImplementedException(); } public void SendBulkUpdateInventory(InventoryNodeBase node) { throw new System.NotImplementedException(); } public void SendXferPacket(ulong xferID, uint packet, byte[] data) { throw new System.NotImplementedException(); } public void SendEconomyData(float EnergyEfficiency, int ObjectCapacity, int ObjectCount, int PriceEnergyUnit, int PriceGroupCreate, int PriceObjectClaim, float PriceObjectRent, float PriceObjectScaleFactor, int PriceParcelClaim, float PriceParcelClaimFactor, int PriceParcelRent, int PricePublicObjectDecay, int PricePublicObjectDelete, int PriceRentLight, int PriceUpload, int TeleportMinPrice, float TeleportPriceExponent) { throw new System.NotImplementedException(); } public void SendAvatarPickerReply(AvatarPickerReplyAgentDataArgs AgentData, List<AvatarPickerReplyDataArgs> Data) { throw new System.NotImplementedException(); } public void SendAgentDataUpdate(UUID agentid, UUID activegroupid, string firstname, string lastname, ulong grouppowers, string groupname, string grouptitle) { throw new System.NotImplementedException(); } public void SendPreLoadSound(UUID objectID, UUID ownerID, UUID soundID) { throw new System.NotImplementedException(); } public void SendPlayAttachedSound(UUID soundID, UUID objectID, UUID ownerID, float gain, byte flags) { throw new System.NotImplementedException(); } public void SendTriggeredSound(UUID soundID, UUID ownerID, UUID objectID, UUID parentID, ulong handle, Vector3 position, float gain) { throw new System.NotImplementedException(); } public void SendAttachedSoundGainChange(UUID objectID, float gain) { throw new System.NotImplementedException(); } public void SendNameReply(UUID profileId, string firstname, string lastname) { throw new System.NotImplementedException(); } public void SendAlertMessage(string message) { throw new System.NotImplementedException(); } public void SendAgentAlertMessage(string message, bool modal) { throw new System.NotImplementedException(); } public void SendLoadURL(string objectname, UUID objectID, UUID ownerID, bool groupOwned, string message, string url) { throw new System.NotImplementedException(); } public void SendDialog(string objectname, UUID objectID, string ownerFirstName, string ownerLastName, string msg, UUID textureID, int ch, string[] buttonlabels) { throw new System.NotImplementedException(); } public bool AddMoney(int debit) { throw new System.NotImplementedException(); } public void SendSunPos(Vector3 sunPos, Vector3 sunVel, ulong CurrentTime, uint SecondsPerSunCycle, uint SecondsPerYear, float OrbitalPosition) { throw new System.NotImplementedException(); } public void SendViewerEffect(ViewerEffectPacket.EffectBlock[] effectBlocks) { throw new System.NotImplementedException(); } public void SendViewerTime(int phase) { throw new System.NotImplementedException(); } public UUID GetDefaultAnimation(string name) { throw new System.NotImplementedException(); } public void SendAvatarProperties(UUID avatarID, string aboutText, string bornOn, byte[] charterMember, string flAbout, uint flags, UUID flImageID, UUID imageID, string profileURL, UUID partnerID) { throw new System.NotImplementedException(); } public void SendScriptQuestion(UUID taskID, string taskName, string ownerName, UUID itemID, int question) { throw new System.NotImplementedException(); } public void SendHealth(float health) { throw new System.NotImplementedException(); } public void SendEstateList(UUID invoice, int code, UUID[] Data, uint estateID) { throw new System.NotImplementedException(); } public void SendBannedUserList(UUID invoice, EstateBan[] banlist, uint estateID) { throw new System.NotImplementedException(); } public void SendRegionInfoToEstateMenu(RegionInfoForEstateMenuArgs args) { throw new System.NotImplementedException(); } public void SendEstateCovenantInformation(UUID covenant) { throw new System.NotImplementedException(); } public void SendDetailedEstateData(UUID invoice, string estateName, uint estateID, uint parentEstate, uint estateFlags, uint sunPosition, UUID covenant, string abuseEmail, UUID estateOwner) { throw new System.NotImplementedException(); } public void SendLandProperties(int sequence_id, bool snap_selection, int request_result, LandData landData, float simObjectBonusFactor, int parcelObjectCapacity, int simObjectCapacity, uint regionFlags) { throw new System.NotImplementedException(); } public void SendLandAccessListData(List<UUID> avatars, uint accessFlag, int localLandID) { throw new System.NotImplementedException(); } public void SendForceClientSelectObjects(List<uint> objectIDs) { throw new System.NotImplementedException(); } public void SendCameraConstraint(Vector4 ConstraintPlane) { } public void SendLandObjectOwners(LandData land, List<UUID> groups, Dictionary<UUID, int> ownersAndCount) { throw new System.NotImplementedException(); } public void SendLandParcelOverlay(byte[] data, int sequence_id) { throw new System.NotImplementedException(); } public void SendParcelMediaCommand(uint flags, ParcelMediaCommandEnum command, float time) { throw new System.NotImplementedException(); } public void SendParcelMediaUpdate(string mediaUrl, UUID mediaTextureID, byte autoScale, string mediaType, string mediaDesc, int mediaWidth, int mediaHeight, byte mediaLoop) { throw new System.NotImplementedException(); } public void SendAssetUploadCompleteMessage(sbyte AssetType, bool Success, UUID AssetFullID) { throw new System.NotImplementedException(); } public void SendConfirmXfer(ulong xferID, uint PacketID) { throw new System.NotImplementedException(); } public void SendXferRequest(ulong XferID, short AssetType, UUID vFileID, byte FilePath, byte[] FileName) { throw new System.NotImplementedException(); } public void SendInitiateDownload(string simFileName, string clientFileName) { throw new System.NotImplementedException(); } public void SendImageFirstPart(ushort numParts, UUID ImageUUID, uint ImageSize, byte[] ImageData, byte imageCodec) { throw new System.NotImplementedException(); } public void SendImageNextPart(ushort partNumber, UUID imageUuid, byte[] imageData) { throw new System.NotImplementedException(); } public void SendImageNotFound(UUID imageid) { throw new System.NotImplementedException(); } public void SendShutdownConnectionNotice() { throw new System.NotImplementedException(); } public void SendSimStats(SimStats stats) { throw new System.NotImplementedException(); } public void SendObjectPropertiesFamilyData(uint RequestFlags, UUID ObjectUUID, UUID OwnerID, UUID GroupID, uint BaseMask, uint OwnerMask, uint GroupMask, uint EveryoneMask, uint NextOwnerMask, int OwnershipCost, byte SaleType, int SalePrice, uint Category, UUID LastOwnerID, string ObjectName, string Description) { throw new System.NotImplementedException(); } public void SendObjectPropertiesReply(UUID ItemID, ulong CreationDate, UUID CreatorUUID, UUID FolderUUID, UUID FromTaskUUID, UUID GroupUUID, short InventorySerial, UUID LastOwnerUUID, UUID ObjectUUID, UUID OwnerUUID, string TouchTitle, byte[] TextureID, string SitTitle, string ItemName, string ItemDescription, uint OwnerMask, uint NextOwnerMask, uint GroupMask, uint EveryoneMask, uint BaseMask, byte saleType, int salePrice) { throw new System.NotImplementedException(); } public void SendAgentOffline(UUID[] agentIDs) { throw new System.NotImplementedException(); } public void SendAgentOnline(UUID[] agentIDs) { throw new System.NotImplementedException(); } public void SendSitResponse(UUID TargetID, Vector3 OffsetPos, Quaternion SitOrientation, bool autopilot, Vector3 CameraAtOffset, Vector3 CameraEyeOffset, bool ForceMouseLook) { throw new System.NotImplementedException(); } public void SendAdminResponse(UUID Token, uint AdminLevel) { throw new System.NotImplementedException(); } public void SendGroupMembership(GroupMembershipData[] GroupMembership) { throw new System.NotImplementedException(); } public void SendGroupNameReply(UUID groupLLUID, string GroupName) { throw new System.NotImplementedException(); } public void SendJoinGroupReply(UUID groupID, bool success) { throw new System.NotImplementedException(); } public void SendEjectGroupMemberReply(UUID agentID, UUID groupID, bool success) { throw new System.NotImplementedException(); } public void SendLeaveGroupReply(UUID groupID, bool success) { throw new System.NotImplementedException(); } public void SendCreateGroupReply(UUID groupID, bool success, string message) { throw new System.NotImplementedException(); } public void SendLandStatReply(uint reportType, uint requestFlags, uint resultCount, LandStatReportItem[] lsrpia) { throw new System.NotImplementedException(); } public void SendScriptRunningReply(UUID objectID, UUID itemID, bool running) { throw new System.NotImplementedException(); } public void SendAsset(AssetRequestToClient req) { throw new System.NotImplementedException(); } public void SendTexture(AssetBase TextureAsset) { throw new System.NotImplementedException(); } public byte[] GetThrottlesPacked(float multiplier) { throw new System.NotImplementedException(); } public event ViewerEffectEventHandler OnViewerEffect; public event Action<IClientAPI> OnLogout; public event Action<IClientAPI> OnConnectionClosed; public void SendBlueBoxMessage(UUID FromAvatarID, string FromAvatarName, string Message) { throw new System.NotImplementedException(); } public void SendLogoutPacket() { throw new System.NotImplementedException(); } public EndPoint GetClientEP() { return null; } public ClientInfo GetClientInfo() { throw new System.NotImplementedException(); } public void SetClientInfo(ClientInfo info) { throw new System.NotImplementedException(); } public void SetClientOption(string option, string value) { throw new System.NotImplementedException(); } public string GetClientOption(string option) { throw new System.NotImplementedException(); } public void Terminate() { throw new System.NotImplementedException(); } public void SendSetFollowCamProperties(UUID objectID, SortedDictionary<int, float> parameters) { throw new System.NotImplementedException(); } public void SendClearFollowCamProperties(UUID objectID) { throw new System.NotImplementedException(); } public void SendRegionHandle(UUID regoinID, ulong handle) { throw new System.NotImplementedException(); } public void SendParcelInfo(RegionInfo info, LandData land, UUID parcelID, uint x, uint y) { throw new System.NotImplementedException(); } public void SendScriptTeleportRequest(string objName, string simName, Vector3 pos, Vector3 lookAt) { throw new System.NotImplementedException(); } public void SendDirPlacesReply(UUID queryID, DirPlacesReplyData[] data) { throw new System.NotImplementedException(); } public void SendDirPeopleReply(UUID queryID, DirPeopleReplyData[] data) { throw new System.NotImplementedException(); } public void SendDirEventsReply(UUID queryID, DirEventsReplyData[] data) { throw new System.NotImplementedException(); } public void SendDirGroupsReply(UUID queryID, DirGroupsReplyData[] data) { throw new System.NotImplementedException(); } public void SendDirClassifiedReply(UUID queryID, DirClassifiedReplyData[] data) { throw new System.NotImplementedException(); } public void SendDirLandReply(UUID queryID, DirLandReplyData[] data) { throw new System.NotImplementedException(); } public void SendDirPopularReply(UUID queryID, DirPopularReplyData[] data) { throw new System.NotImplementedException(); } public void SendEventInfoReply(EventData info) { throw new System.NotImplementedException(); } public void SendMapItemReply(mapItemReply[] replies, uint mapitemtype, uint flags) { throw new System.NotImplementedException(); } public void SendAvatarGroupsReply(UUID avatarID, GroupMembershipData[] data) { throw new System.NotImplementedException(); } public void SendOfferCallingCard(UUID srcID, UUID transactionID) { throw new System.NotImplementedException(); } public void SendAcceptCallingCard(UUID transactionID) { throw new System.NotImplementedException(); } public void SendDeclineCallingCard(UUID transactionID) { throw new System.NotImplementedException(); } public void SendTerminateFriend(UUID exFriendID) { throw new System.NotImplementedException(); } public void SendAvatarClassifiedReply(UUID targetID, UUID[] classifiedID, string[] name) { throw new System.NotImplementedException(); } public void SendClassifiedInfoReply(UUID classifiedID, UUID creatorID, uint creationDate, uint expirationDate, uint category, string name, string description, UUID parcelID, uint parentEstate, UUID snapshotID, string simName, Vector3 globalPos, string parcelName, byte classifiedFlags, int price) { throw new System.NotImplementedException(); } public void SendAgentDropGroup(UUID groupID) { throw new System.NotImplementedException(); } public void RefreshGroupMembership() { throw new System.NotImplementedException(); } public void SendAvatarNotesReply(UUID targetID, string text) { throw new System.NotImplementedException(); } public void SendAvatarPicksReply(UUID targetID, Dictionary<UUID, string> picks) { throw new System.NotImplementedException(); } public void SendPickInfoReply(UUID pickID, UUID creatorID, bool topPick, UUID parcelID, string name, string desc, UUID snapshotID, string user, string originalName, string simName, Vector3 posGlobal, int sortOrder, bool enabled) { throw new System.NotImplementedException(); } public void SendAvatarClassifiedReply(UUID targetID, Dictionary<UUID, string> classifieds) { throw new System.NotImplementedException(); } public void SendAvatarInterestUpdate(IClientAPI client, uint wantmask, string wanttext, uint skillsmask, string skillstext, string languages) { throw new System.NotImplementedException(); } public void SendParcelDwellReply(int localID, UUID parcelID, float dwell) { throw new System.NotImplementedException(); } public void SendUserInfoReply(bool imViaEmail, bool visible, string email) { throw new System.NotImplementedException(); } public void SendUseCachedMuteList() { throw new System.NotImplementedException(); } public void SendMuteListUpdate(string filename) { throw new System.NotImplementedException(); } public void KillEndDone() { throw new System.NotImplementedException(); } public bool AddGenericPacketHandler(string MethodName, GenericMessage handler) { throw new System.NotImplementedException(); } #endregion public void SendRebakeAvatarTextures(UUID textureID) { } public void SendAvatarInterestsReply(UUID avatarID, uint wantMask, string wantText, uint skillsMask, string skillsText, string languages) { } public void SendGroupAccountingDetails(IClientAPI sender,UUID groupID, UUID transactionID, UUID sessionID, int amt) { } public void SendGroupAccountingSummary(IClientAPI sender,UUID groupID, uint moneyAmt, int totalTier, int usedTier) { } public void SendGroupTransactionsSummaryDetails(IClientAPI sender,UUID groupID, UUID transactionID, UUID sessionID,int amt) { } public void SendGroupVoteHistory(UUID groupID, UUID transactionID, GroupVoteHistory[] Votes) { } public void SendGroupActiveProposals(UUID groupID, UUID transactionID, GroupActiveProposals[] Proposals) { } public void SendChangeUserRights(UUID agentID, UUID friendID, int rights) { } public void SendTextBoxRequest(string message, int chatChannel, string objectname, string ownerFirstName, string ownerLastName, UUID objectId) { } public void StopFlying(ISceneEntity presence) { } public void SendVoxelUpdate(int x, int y, int z, byte type) { } public void SendChunkUpdate(int x, int y, int z) { } } }
40.257539
435
0.66477
[ "BSD-3-Clause" ]
N3X15/VoxelSim
OpenSim/Client/VWoHTTP/ClientStack/VWHClientView.cs
49,396
C#
/****************************************************************************** * The MIT License * Copyright (c) 2003 Novell Inc. www.novell.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. *******************************************************************************/ // // Novell.Directory.Ldap.Extensions.AddReplicaRequest.cs // // Author: // Sunil Kumar ([email protected]) // // (C) 2003 Novell, Inc (http://www.novell.com) // using System; using System.IO; using Novell.Directory.Ldap.Asn1; using Novell.Directory.Ldap.Utilclass; namespace Novell.Directory.Ldap.Extensions { /// <summary> /// Adds a replica to the specified directory server. /// To add a replica to a particular server, you must create an instance of /// this class and then call the extendedOperation method with this /// object as the required LdapExtendedOperation parameter. /// The addReplicaRequest extension uses the following OID: /// 2.16.840.1.113719.1.27.100.7 /// The requestValue has the following format: /// requestValue ::= /// flags INTEGER /// replicaType INTEGER /// serverName LdapDN /// dn LdapDN /// </summary> public class AddReplicaRequest : LdapExtendedOperation { /// <summary> /// Constructs a new extended operation object for adding a replica to the /// specified server. /// </summary> /// <param name="dn"> /// The distinguished name of the replica's partition root. /// </param> /// <param name="serverDN"> /// The server on which the new replica will be added. /// </param> /// <param name="replicaType"> /// The type of replica to add. The replica /// types are defined in the ReplicationConstants class. /// </param> /// <param name="flags"> /// Specifies whether all servers in the replica ring must be up /// before proceeding. When set to zero, the status of the servers is not /// checked. When set to Ldap_ENSURE_SERVERS_UP, all servers must be up for the /// operation to proceed. /// </param> /// <exception> /// LdapException A general exception which includes an error message /// and an Ldap error code. /// </exception> /// <seealso cref="ReplicationConstants.Ldap_RT_MASTER"> /// </seealso> /// <seealso cref="ReplicationConstants.Ldap_RT_SECONDARY"> /// </seealso> /// <seealso cref="ReplicationConstants.Ldap_RT_READONLY"> /// </seealso> /// <seealso cref="ReplicationConstants.Ldap_RT_SUBREF"> /// </seealso> /// <seealso cref="ReplicationConstants.Ldap_RT_SPARSE_WRITE"> /// </seealso> /// <seealso cref="ReplicationConstants.Ldap_RT_SPARSE_READ"> /// </seealso> public AddReplicaRequest(string dn, string serverDN, int replicaType, int flags) : base(ReplicationConstants.ADD_REPLICA_REQ, null) { try { if ((object) dn == null || (object) serverDN == null) throw new ArgumentException(ExceptionMessages.PARAM_ERROR); var encodedData = new MemoryStream(); var encoder = new LBEREncoder(); var asn1_flags = new Asn1Integer(flags); var asn1_replicaType = new Asn1Integer(replicaType); var asn1_serverDN = new Asn1OctetString(serverDN); var asn1_dn = new Asn1OctetString(dn); asn1_flags.encode(encoder, encodedData); asn1_replicaType.encode(encoder, encodedData); asn1_serverDN.encode(encoder, encodedData); asn1_dn.encode(encoder, encodedData); setValue(SupportClass.ToSByteArray(encodedData.ToArray())); } catch (IOException ioe) { throw new LdapException(ExceptionMessages.ENCODING_ERROR, LdapException.ENCODING_ERROR, null, ioe); } } } }
43.316667
115
0.610619
[ "MIT" ]
DennisGlindhart/Novell.Directory.Ldap.NETStandard
src/Novell.Directory.Ldap.NETStandard/Extensions/AddReplicaRequest.cs
5,198
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("Ex15_FindFolderIdByDisplayName_CS")] [assembly: AssemblyDescription("")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("Microsoft IT")] [assembly: AssemblyProduct("Ex15_FindFolderIdByDisplayName_CS")] [assembly: AssemblyCopyright("Copyright © Microsoft IT 2012")] [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("25596889-3e05-4212-85de-2a7d743b2940")] // 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.540541
84
0.755297
[ "MIT" ]
Ranin26/msdn-code-gallery-microsoft
Microsoft Office Developer Documentation Team/Exchange 2013 101 Code Samples/59862-Exchange 2013 101 Code Samples/Exchange 2013 Copy folders programmatically on Exchange servers/C#/Ex15_FindFolderIdByDisplayName_CS/Properties/AssemblyInfo.cs
1,466
C#
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace OOup.Tasks { public class DockerTask : CommandLine { public DockerTask(DockerCommand dCommand, string command, string arguments) : base("docker", $"{dCommand.ToString()} {command} {arguments}") { } } public class DockerImageList : DockerTask { public DockerImageList(string arguments) : base(DockerCommand.images, "list", arguments) { } } public enum DockerCommand { builder, buildx, compose, config, container, context, image, manifest, network, node, plugin, scan, secret, service, stack, swarm, system, trust, volume, attach, build, commit, cp, create, diff, events, exec, export, history, images, import, info, inspect, kill, load, login, logout, logs, pause, port, ps, pull, push, rename, restart, rm, rmi, run, save, search, start, stats, stop, tag, top, unpause, update, version, wait, } }
17.244186
148
0.465947
[ "Apache-2.0" ]
kaladinstorm84/OOup
OOup/Tasks/DockerTask.cs
1,485
C#
//------------------------------------------------------------------------------ // <auto-generated> // 此代码由工具生成。 // 运行时版本:4.0.30319.42000 // // 对此文件的更改可能会导致不正确的行为,并且如果 // 重新生成代码,这些更改将会丢失。 // </auto-generated> //------------------------------------------------------------------------------ namespace TcpAgentTestEcho.Properties { using System; /// <summary> /// 一个强类型的资源类,用于查找本地化的字符串等。 /// </summary> // 此类是由 StronglyTypedResourceBuilder // 类通过类似于 ResGen 或 Visual Studio 的工具自动生成的。 // 若要添加或移除成员,请编辑 .ResX 文件,然后重新运行 ResGen // (以 /str 作为命令选项),或重新生成 VS 项目。 [global::System.CodeDom.Compiler.GeneratedCodeAttribute("System.Resources.Tools.StronglyTypedResourceBuilder", "16.0.0.0")] [global::System.Diagnostics.DebuggerNonUserCodeAttribute()] [global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()] internal class Resources { private static global::System.Resources.ResourceManager resourceMan; private static global::System.Globalization.CultureInfo resourceCulture; [global::System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1811:AvoidUncalledPrivateCode")] internal Resources() { } /// <summary> /// 返回此类使用的缓存的 ResourceManager 实例。 /// </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("TcpAgentTestEcho.Properties.Resources", typeof(Resources).Assembly); resourceMan = temp; } return resourceMan; } } /// <summary> /// 重写当前线程的 CurrentUICulture 属性 /// 重写当前线程的 CurrentUICulture 属性。 /// </summary> [global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)] internal static global::System.Globalization.CultureInfo Culture { get { return resourceCulture; } set { resourceCulture = value; } } } }
38.59375
182
0.591093
[ "Apache-2.0" ]
Gao996/HPSocket.Net
demo/TcpAgent-TestEcho/Properties/Resources.Designer.cs
2,804
C#
extern alias IFCExportUIOverride; extern alias IFCExportUI; using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Autodesk.Revit.DB; namespace bimsync.UI { public class IFCExportConfigurationCustom { public IFCExportConfigurationCustom(IFCLibrary ifcLibrary, object ifcExportConfiguration) { _IFCLibrary = ifcLibrary; if (_IFCLibrary == IFCLibrary.Standard) { IFCExportConfigurationCustomStandard(ifcExportConfiguration); } else if (_IFCLibrary == IFCLibrary.Override) { IFCExportConfigurationCustomOvverided(ifcExportConfiguration); } else if (_IFCLibrary == IFCLibrary.Deprecated) { IFCExportConfigurationCustomDeprecated(ifcExportConfiguration); } } private void IFCExportConfigurationCustomStandard(object ifcExportConfiguration) { IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration config = (IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration)ifcExportConfiguration; _IFCExportConfiguration = config; _IFCVersion = config.IFCVersion; _Name = config.Name; _ActiveViewId = config.ActiveViewId; _UseActiveViewGeometry = config.UseActiveViewGeometry; } private void IFCExportConfigurationCustomOvverided(object ifcExportConfiguration) { IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration config = (IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration)ifcExportConfiguration; _IFCExportConfiguration = config; _IFCVersion = config.IFCVersion; _Name = config.Name; _ActiveViewId = config.ActiveViewId; _UseActiveViewGeometry = config.UseActiveViewGeometry; } private void IFCExportConfigurationCustomDeprecated(object ifcExportConfiguration) { IFCExportConfigurationDeprecated config = (IFCExportConfigurationDeprecated)ifcExportConfiguration; _IFCExportConfiguration = config; _IFCVersion = config.IFCVersion; _Name = config.Name; _ActiveViewId = config.ActiveViewId; _UseActiveViewGeometry = config.CurrentViewOnly; } private IFCLibrary _IFCLibrary; private IFCVersion _IFCVersion; public IFCVersion IFCVersion { get { return _IFCVersion; } } private string _Name; public string Name { get { return _Name; } } private int _ActiveViewId; public int ActiveViewId { set { _ActiveViewId = value; } get { return _ActiveViewId; } } private bool _UseActiveViewGeometry; public bool UseActiveViewGeometry { get { return _UseActiveViewGeometry; } } private object _IFCExportConfiguration; public object IFCExportConfiguration { get { return _IFCExportConfiguration; } } public void UpdateOptions(IFCExportOptions IFCOptions, ElementId activeViewId) { if (_IFCLibrary == IFCLibrary.Standard) { UpdateOptionStandard(IFCOptions,activeViewId); } else if (_IFCLibrary == IFCLibrary.Override) { UpdateOptionOverrided(IFCOptions, activeViewId); } else if (_IFCLibrary == IFCLibrary.Deprecated) { UpdateOptionDeprecated(IFCOptions, activeViewId); } } private void UpdateOptionStandard(IFCExportOptions IFCOptions, ElementId activeViewId) { IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration config = _IFCExportConfiguration as IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration; config.UpdateOptions(IFCOptions, activeViewId); } private void UpdateOptionOverrided(IFCExportOptions IFCOptions, ElementId activeViewId) { IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration config = _IFCExportConfiguration as IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration; config.UpdateOptions(IFCOptions, activeViewId); } private void UpdateOptionDeprecated(IFCExportOptions IFCOptions, ElementId activeViewId) { IFCExportConfigurationDeprecated config = _IFCExportConfiguration as IFCExportConfigurationDeprecated; IFCOptions.ExportBaseQuantities = config.ExportBaseQuantities; IFCOptions.FileVersion = config.IFCVersion; if (config.CurrentViewOnly) { IFCOptions.FilterViewId = activeViewId; } IFCOptions.SpaceBoundaryLevel = 1; IFCOptions.WallAndColumnSplitting = config.SplitWall; } } public class IFCExportConfigurationsMapCustom { public IFCExportConfigurationsMapCustom() { _Values = new List<IFCExportConfigurationCustom>(); try { //Try the overrided UI. This should works in 2016, 2017 and 2018 when the custom IFC exporter is here GetUserIFCExportConfigurationOverrided(); } catch (System.IO.FileNotFoundException ex) { string message = ex.Message; if (message.Contains("IFCExportUIOverride")) { try { //Try the standard UI. This should always works in 2017 and 2018 GetUserIFCExportConfigurationStandard(); } catch (System.IO.FileNotFoundException exDeprecated) { string messageOld = exDeprecated.Message; if (message.Contains("IFCExportUI")) { //Try this for Revit 2016 without the custom IFC Exporter GetUserIFCExportConfigurationDeprecated(); } else { throw ex; } } } else { throw ex; } } } private List<IFCExportConfigurationCustom> _Values; public List<IFCExportConfigurationCustom> Values { get { return _Values; } } private void GetUserIFCExportConfigurationStandard() { //IFCExportUI::BIM.IFC.Export.UI. IFCExportUI::BIM.IFC.Export.UI.IFCExportConfigurationsMap configurationsMap = new IFCExportUI::BIM.IFC.Export.UI.IFCExportConfigurationsMap(); configurationsMap.Add(CreateDefaultbimsyncConfiguration()); configurationsMap.Add(IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration.CreateDefaultConfiguration()); configurationsMap.Add(IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration.GetInSession()); configurationsMap.AddBuiltInConfigurations(); configurationsMap.AddSavedConfigurations(); foreach (IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration config in configurationsMap.Values) { _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Standard,config)); } } private void GetUserIFCExportConfigurationOverrided() { //IFCExportUIOverride::BIM.IFC.Export.UI. IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfigurationsMap configurationsMap = new IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfigurationsMap(); configurationsMap.Add(CreateOverrridedbimsyncConfiguration()); configurationsMap.Add(IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration.CreateDefaultConfiguration()); configurationsMap.Add(IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration.GetInSession()); configurationsMap.AddBuiltInConfigurations(); configurationsMap.AddSavedConfigurations(); foreach (IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration config in configurationsMap.Values) { _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Override, config)); } } private void GetUserIFCExportConfigurationDeprecated() { //Loop on all possibilities here IFCExportConfigurationDeprecated config = new IFCExportConfigurationDeprecated(false, false, true); config.Name = "<bimsync Config>"; _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); config = new IFCExportConfigurationDeprecated(false, false, false); _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); config = new IFCExportConfigurationDeprecated(false, false, true); _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); config = new IFCExportConfigurationDeprecated(false, true, true); _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); config = new IFCExportConfigurationDeprecated(false, true, false); _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); config = new IFCExportConfigurationDeprecated(true, false, true); _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); config = new IFCExportConfigurationDeprecated(true, false, false); _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); config = new IFCExportConfigurationDeprecated(true, true, true); _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); config = new IFCExportConfigurationDeprecated(true, true, false); _Values.Add(new IFCExportConfigurationCustom(IFCLibrary.Deprecated, config)); } //private IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration CreateStandardConfiguration(IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration overridedConfiguration) //{ // IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration standardConfig = IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration.CreateDefaultConfiguration(); // //Copy the custom config into a stand one // System.Reflection.PropertyInfo[] sourcePropertyInfos = overridedConfiguration.GetType().GetProperties(); // foreach (System.Reflection.PropertyInfo sourcePropertyInfo in sourcePropertyInfos) // { // var sourcePropertyValue = sourcePropertyInfo.GetValue(overridedConfiguration); // var outputPropertyInfo = standardConfig.GetType().GetProperty(sourcePropertyInfo.Name); // if (outputPropertyInfo != null) // { // Type t = Nullable.GetUnderlyingType(outputPropertyInfo.PropertyType) ?? outputPropertyInfo.PropertyType; // object safeValue = (sourcePropertyValue == null) ? null : Convert.ChangeType(sourcePropertyValue, t); // if (outputPropertyInfo.CanWrite) // { // outputPropertyInfo.SetValue(standardConfig, safeValue); // } // } // } // return standardConfig; //} private IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration CreateDefaultbimsyncConfiguration() { IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration selectedConfig = IFCExportUI::BIM.IFC.Export.UI.IFCExportConfiguration.CreateDefaultConfiguration(); selectedConfig.Name = "<bimsync Setup>"; selectedConfig.IFCVersion = IFCVersion.IFC2x3CV2; selectedConfig.SpaceBoundaries = 1; selectedConfig.ActivePhaseId = ElementId.InvalidElementId; selectedConfig.ExportBaseQuantities = true; selectedConfig.SplitWallsAndColumns = false; selectedConfig.VisibleElementsOfCurrentView = false; selectedConfig.Use2DRoomBoundaryForVolume = false; selectedConfig.UseFamilyAndTypeNameForReference = true; selectedConfig.ExportInternalRevitPropertySets = true; selectedConfig.ExportIFCCommonPropertySets = true; selectedConfig.Export2DElements = false; selectedConfig.ExportPartsAsBuildingElements = true; selectedConfig.ExportBoundingBox = false; selectedConfig.ExportSolidModelRep = false; selectedConfig.ExportSchedulesAsPsets = false; selectedConfig.ExportUserDefinedPsets = false; selectedConfig.ExportUserDefinedPsetsFileName = ""; selectedConfig.ExportLinkedFiles = false; selectedConfig.IncludeSiteElevation = true; selectedConfig.UseActiveViewGeometry = false; selectedConfig.ExportSpecificSchedules = false; selectedConfig.TessellationLevelOfDetail = 0; selectedConfig.StoreIFCGUID = true; selectedConfig.ExportRoomsInView = true; return selectedConfig; } private IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration CreateOverrridedbimsyncConfiguration() { IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration selectedConfig = IFCExportUIOverride::BIM.IFC.Export.UI.IFCExportConfiguration.CreateDefaultConfiguration(); selectedConfig.Name = "<bimsync Setup>"; selectedConfig.IFCVersion = IFCVersion.IFC2x3CV2; selectedConfig.SpaceBoundaries = 1; selectedConfig.ActivePhaseId = ElementId.InvalidElementId; selectedConfig.ExportBaseQuantities = true; selectedConfig.SplitWallsAndColumns = false; selectedConfig.VisibleElementsOfCurrentView = false; selectedConfig.Use2DRoomBoundaryForVolume = false; selectedConfig.UseFamilyAndTypeNameForReference = true; selectedConfig.ExportInternalRevitPropertySets = true; selectedConfig.ExportIFCCommonPropertySets = true; selectedConfig.Export2DElements = false; selectedConfig.ExportPartsAsBuildingElements = true; selectedConfig.ExportBoundingBox = false; selectedConfig.ExportSolidModelRep = false; selectedConfig.ExportSchedulesAsPsets = false; selectedConfig.ExportUserDefinedPsets = false; selectedConfig.ExportUserDefinedPsetsFileName = ""; selectedConfig.ExportLinkedFiles = false; selectedConfig.IncludeSiteElevation = true; selectedConfig.UseActiveViewGeometry = false; selectedConfig.ExportSpecificSchedules = false; selectedConfig.TessellationLevelOfDetail = 0; selectedConfig.StoreIFCGUID = true; selectedConfig.ExportRoomsInView = true; return selectedConfig; } } public class IFCExportConfigurationDeprecated { public IFCExportConfigurationDeprecated( bool currentViewOnly, bool splitWall, bool exportBaseQuantities) { CurrentViewOnly = currentViewOnly; SplitWall = splitWall; ExportBaseQuantities = exportBaseQuantities; Name = String.Format("IFC 2x3{0}{1}{2}", CurrentViewOnly ? "-Current View" : "", SplitWall ? "-Split Wall" : "", ExportBaseQuantities ? "-Base Quantities" : ""); IFCVersion = IFCVersion.IFC2x3; } public bool CurrentViewOnly { get; set; } public bool SplitWall { get; set; } public bool ExportBaseQuantities { get; set; } public string Name { get; set; } public IFCVersion IFCVersion { get; set; } public int ActiveViewId { get; set; } } public enum IFCLibrary { Override, Standard, Deprecated } }
44.010695
185
0.645687
[ "MIT" ]
arif-hanif/bimsync4Revit
bimsync/UI/IFCExportConfigurationCustom.cs
16,462
C#
using System; using System.Collections.Generic; using UnityEngine; namespace UnityEditor.PostProcessing { public sealed class CurveEditor { #region Enums enum EditMode { None, Moving, TangentEdit } enum Tangent { In, Out } #endregion #region Structs public struct Settings { public Rect bounds; public RectOffset padding; public Color selectionColor; public float curvePickingDistance; public float keyTimeClampingDistance; public static Settings defaultSettings { get { return new Settings { bounds = new Rect(0f, 0f, 1f, 1f), padding = new RectOffset(10, 10, 10, 10), selectionColor = Color.yellow, curvePickingDistance = 6f, keyTimeClampingDistance = 1e-4f }; } } } public struct CurveState { public bool visible; public bool editable; public uint minPointCount; public float zeroKeyConstantValue; public Color color; public float width; public float handleWidth; public bool showNonEditableHandles; public bool onlyShowHandlesOnSelection; public bool loopInBounds; public static CurveState defaultState { get { return new CurveState { visible = true, editable = true, minPointCount = 2, zeroKeyConstantValue = 0f, color = Color.white, width = 2f, handleWidth = 2f, showNonEditableHandles = true, onlyShowHandlesOnSelection = false, loopInBounds = false }; } } } public struct Selection { public SerializedProperty curve; public int keyframeIndex; public Keyframe? keyframe; public Selection(SerializedProperty curve, int keyframeIndex, Keyframe? keyframe) { this.curve = curve; this.keyframeIndex = keyframeIndex; this.keyframe = keyframe; } } internal struct MenuAction { internal SerializedProperty curve; internal int index; internal Vector3 position; internal MenuAction(SerializedProperty curve) { this.curve = curve; this.index = -1; this.position = Vector3.zero; } internal MenuAction(SerializedProperty curve, int index) { this.curve = curve; this.index = index; this.position = Vector3.zero; } internal MenuAction(SerializedProperty curve, Vector3 position) { this.curve = curve; this.index = -1; this.position = position; } } #endregion #region Fields & properties public Settings settings { get; private set; } Dictionary<SerializedProperty, CurveState> m_Curves; Rect m_CurveArea; SerializedProperty m_SelectedCurve; int m_SelectedKeyframeIndex = -1; EditMode m_EditMode = EditMode.None; Tangent m_TangentEditMode; bool m_Dirty; #endregion #region Constructors & destructors public CurveEditor() : this(Settings.defaultSettings) {} public CurveEditor(Settings settings) { this.settings = settings; m_Curves = new Dictionary<SerializedProperty, CurveState>(); } #endregion #region Public API public void Add(params SerializedProperty[] curves) { foreach (var curve in curves) Add(curve, CurveState.defaultState); } public void Add(SerializedProperty curve) { Add(curve, CurveState.defaultState); } public void Add(SerializedProperty curve, CurveState state) { // Make sure the property is in fact an AnimationCurve var animCurve = curve.animationCurveValue; if (animCurve == null) throw new ArgumentException("curve"); if (m_Curves.ContainsKey(curve)) Debug.LogWarning("Curve has already been added to the editor"); m_Curves.Add(curve, state); } public void Remove(SerializedProperty curve) { m_Curves.Remove(curve); } public void RemoveAll() { m_Curves.Clear(); } public CurveState GetCurveState(SerializedProperty curve) { CurveState state; if (!m_Curves.TryGetValue(curve, out state)) throw new KeyNotFoundException("curve"); return state; } public void SetCurveState(SerializedProperty curve, CurveState state) { if (!m_Curves.ContainsKey(curve)) throw new KeyNotFoundException("curve"); m_Curves[curve] = state; } public Selection GetSelection() { Keyframe? key = null; if (m_SelectedKeyframeIndex > -1) { var curve = m_SelectedCurve.animationCurveValue; if (m_SelectedKeyframeIndex >= curve.length) m_SelectedKeyframeIndex = -1; else key = curve[m_SelectedKeyframeIndex]; } return new Selection(m_SelectedCurve, m_SelectedKeyframeIndex, key); } public void SetKeyframe(SerializedProperty curve, int keyframeIndex, Keyframe keyframe) { var animCurve = curve.animationCurveValue; SetKeyframe(animCurve, keyframeIndex, keyframe); SaveCurve(curve, animCurve); } public bool OnGUI(Rect rect) { if (Event.current.type == EventType.Repaint) m_Dirty = false; GUI.BeginClip(rect); { var area = new Rect(Vector2.zero, rect.size); m_CurveArea = settings.padding.Remove(area); foreach (var curve in m_Curves) OnCurveGUI(area, curve.Key, curve.Value); OnGeneralUI(area); } GUI.EndClip(); return m_Dirty; } #endregion #region UI & events void OnCurveGUI(Rect rect, SerializedProperty curve, CurveState state) { // Discard invisible curves if (!state.visible) return; var animCurve = curve.animationCurveValue; var keys = animCurve.keys; var length = keys.Length; // Curve drawing // Slightly dim non-editable curves var color = state.color; if (!state.editable) color.a *= 0.5f; Handles.color = color; var bounds = settings.bounds; if (length == 0) { var p1 = CurveToCanvas(new Vector3(bounds.xMin, state.zeroKeyConstantValue)); var p2 = CurveToCanvas(new Vector3(bounds.xMax, state.zeroKeyConstantValue)); Handles.DrawAAPolyLine(state.width, p1, p2); } else if (length == 1) { var p1 = CurveToCanvas(new Vector3(bounds.xMin, keys[0].value)); var p2 = CurveToCanvas(new Vector3(bounds.xMax, keys[0].value)); Handles.DrawAAPolyLine(state.width, p1, p2); } else { var prevKey = keys[0]; for (int k = 1; k < length; k++) { var key = keys[k]; var pts = BezierSegment(prevKey, key); if (float.IsInfinity(prevKey.outTangent) || float.IsInfinity(key.inTangent)) { var s = HardSegment(prevKey, key); Handles.DrawAAPolyLine(state.width, s[0], s[1], s[2]); } else Handles.DrawBezier(pts[0], pts[3], pts[1], pts[2], color, null, state.width); prevKey = key; } // Curve extents & loops if (keys[0].time > bounds.xMin) { if (state.loopInBounds) { var p1 = keys[length - 1]; p1.time -= settings.bounds.width; var p2 = keys[0]; var pts = BezierSegment(p1, p2); if (float.IsInfinity(p1.outTangent) || float.IsInfinity(p2.inTangent)) { var s = HardSegment(p1, p2); Handles.DrawAAPolyLine(state.width, s[0], s[1], s[2]); } else Handles.DrawBezier(pts[0], pts[3], pts[1], pts[2], color, null, state.width); } else { var p1 = CurveToCanvas(new Vector3(bounds.xMin, keys[0].value)); var p2 = CurveToCanvas(keys[0]); Handles.DrawAAPolyLine(state.width, p1, p2); } } if (keys[length - 1].time < bounds.xMax) { if (state.loopInBounds) { var p1 = keys[length - 1]; var p2 = keys[0]; p2.time += settings.bounds.width; var pts = BezierSegment(p1, p2); if (float.IsInfinity(p1.outTangent) || float.IsInfinity(p2.inTangent)) { var s = HardSegment(p1, p2); Handles.DrawAAPolyLine(state.width, s[0], s[1], s[2]); } else Handles.DrawBezier(pts[0], pts[3], pts[1], pts[2], color, null, state.width); } else { var p1 = CurveToCanvas(keys[length - 1]); var p2 = CurveToCanvas(new Vector3(bounds.xMax, keys[length - 1].value)); Handles.DrawAAPolyLine(state.width, p1, p2); } } } // Make sure selection is correct (undo can break it) bool isCurrentlySelectedCurve = curve == m_SelectedCurve; if (isCurrentlySelectedCurve && m_SelectedKeyframeIndex >= length) m_SelectedKeyframeIndex = -1; // Handles & keys for (int k = 0; k < length; k++) { bool isCurrentlySelectedKeyframe = k == m_SelectedKeyframeIndex; var e = Event.current; var pos = CurveToCanvas(keys[k]); var hitRect = new Rect(pos.x - 8f, pos.y - 8f, 16f, 16f); var offset = isCurrentlySelectedCurve ? new RectOffset(5, 5, 5, 5) : new RectOffset(6, 6, 6, 6); var outTangent = pos + CurveTangentToCanvas(keys[k].outTangent).normalized * 40f; var inTangent = pos - CurveTangentToCanvas(keys[k].inTangent).normalized * 40f; var inTangentHitRect = new Rect(inTangent.x - 7f, inTangent.y - 7f, 14f, 14f); var outTangentHitrect = new Rect(outTangent.x - 7f, outTangent.y - 7f, 14f, 14f); // Draw if (state.showNonEditableHandles) { if (e.type == EventType.Repaint) { var selectedColor = (isCurrentlySelectedCurve && isCurrentlySelectedKeyframe) ? settings.selectionColor : state.color; // Keyframe EditorGUI.DrawRect(offset.Remove(hitRect), selectedColor); // Tangents if (isCurrentlySelectedCurve && (!state.onlyShowHandlesOnSelection || (state.onlyShowHandlesOnSelection && isCurrentlySelectedKeyframe))) { Handles.color = selectedColor; if (k > 0 || state.loopInBounds) { Handles.DrawAAPolyLine(state.handleWidth, pos, inTangent); EditorGUI.DrawRect(offset.Remove(inTangentHitRect), selectedColor); } if (k < length - 1 || state.loopInBounds) { Handles.DrawAAPolyLine(state.handleWidth, pos, outTangent); EditorGUI.DrawRect(offset.Remove(outTangentHitrect), selectedColor); } } } } // Events if (state.editable) { // Keyframe move if (m_EditMode == EditMode.Moving && e.type == EventType.MouseDrag && isCurrentlySelectedCurve && isCurrentlySelectedKeyframe) { EditMoveKeyframe(animCurve, keys, k); } // Tangent editing if (m_EditMode == EditMode.TangentEdit && e.type == EventType.MouseDrag && isCurrentlySelectedCurve && isCurrentlySelectedKeyframe) { bool alreadyBroken = !(Mathf.Approximately(keys[k].inTangent, keys[k].outTangent) || (float.IsInfinity(keys[k].inTangent) && float.IsInfinity(keys[k].outTangent))); EditMoveTangent(animCurve, keys, k, m_TangentEditMode, e.shift || !(alreadyBroken || e.control)); } // Keyframe selection & context menu if (e.type == EventType.MouseDown && rect.Contains(e.mousePosition)) { if (hitRect.Contains(e.mousePosition)) { if (e.button == 0) { SelectKeyframe(curve, k); m_EditMode = EditMode.Moving; e.Use(); } else if (e.button == 1) { // Keyframe context menu var menu = new GenericMenu(); menu.AddItem(new GUIContent("Delete Key"), false, (x) => { var action = (MenuAction)x; var curveValue = action.curve.animationCurveValue; action.curve.serializedObject.Update(); RemoveKeyframe(curveValue, action.index); m_SelectedKeyframeIndex = -1; SaveCurve(action.curve, curveValue); action.curve.serializedObject.ApplyModifiedProperties(); }, new MenuAction(curve, k)); menu.ShowAsContext(); e.Use(); } } } // Tangent selection & edit mode if (e.type == EventType.MouseDown && rect.Contains(e.mousePosition)) { if (inTangentHitRect.Contains(e.mousePosition) && (k > 0 || state.loopInBounds)) { SelectKeyframe(curve, k); m_EditMode = EditMode.TangentEdit; m_TangentEditMode = Tangent.In; e.Use(); } else if (outTangentHitrect.Contains(e.mousePosition) && (k < length - 1 || state.loopInBounds)) { SelectKeyframe(curve, k); m_EditMode = EditMode.TangentEdit; m_TangentEditMode = Tangent.Out; e.Use(); } } // Mouse up - clean up states if (e.rawType == EventType.MouseUp && m_EditMode != EditMode.None) { m_EditMode = EditMode.None; } // Set cursors { EditorGUIUtility.AddCursorRect(hitRect, MouseCursor.MoveArrow); if (k > 0 || state.loopInBounds) EditorGUIUtility.AddCursorRect(inTangentHitRect, MouseCursor.RotateArrow); if (k < length - 1 || state.loopInBounds) EditorGUIUtility.AddCursorRect(outTangentHitrect, MouseCursor.RotateArrow); } } } Handles.color = Color.white; SaveCurve(curve, animCurve); } void OnGeneralUI(Rect rect) { var e = Event.current; // Selection if (e.type == EventType.MouseDown) { GUI.FocusControl(null); m_SelectedCurve = null; m_SelectedKeyframeIndex = -1; bool used = false; var hit = CanvasToCurve(e.mousePosition); float curvePickValue = CurveToCanvas(hit).y; // Try and select a curve foreach (var curve in m_Curves) { if (!curve.Value.editable || !curve.Value.visible) continue; var prop = curve.Key; var state = curve.Value; var animCurve = prop.animationCurveValue; float hitY = animCurve.length == 0 ? state.zeroKeyConstantValue : animCurve.Evaluate(hit.x); var curvePos = CurveToCanvas(new Vector3(hit.x, hitY)); if (Mathf.Abs(curvePos.y - curvePickValue) < settings.curvePickingDistance) { m_SelectedCurve = prop; if (e.clickCount == 2 && e.button == 0) { // Create a keyframe on double-click on this curve EditCreateKeyframe(animCurve, hit, true, state.zeroKeyConstantValue); SaveCurve(prop, animCurve); } else if (e.button == 1) { // Curve context menu var menu = new GenericMenu(); menu.AddItem(new GUIContent("Add Key"), false, (x) => { var action = (MenuAction)x; var curveValue = action.curve.animationCurveValue; action.curve.serializedObject.Update(); EditCreateKeyframe(curveValue, hit, true, 0f); SaveCurve(action.curve, curveValue); action.curve.serializedObject.ApplyModifiedProperties(); }, new MenuAction(prop, hit)); menu.ShowAsContext(); e.Use(); used = true; } } } if (e.clickCount == 2 && e.button == 0 && m_SelectedCurve == null) { // Create a keyframe on every curve on double-click foreach (var curve in m_Curves) { if (!curve.Value.editable || !curve.Value.visible) continue; var prop = curve.Key; var state = curve.Value; var animCurve = prop.animationCurveValue; EditCreateKeyframe(animCurve, hit, e.alt, state.zeroKeyConstantValue); SaveCurve(prop, animCurve); } } else if (!used && e.button == 1) { // Global context menu var menu = new GenericMenu(); menu.AddItem(new GUIContent("Add Key At Position"), false, () => ContextMenuAddKey(hit, false)); menu.AddItem(new GUIContent("Add Key On Curves"), false, () => ContextMenuAddKey(hit, true)); menu.ShowAsContext(); } e.Use(); } // Delete selected key(s) if (e.type == EventType.KeyDown && (e.keyCode == KeyCode.Delete || e.keyCode == KeyCode.Backspace)) { if (m_SelectedKeyframeIndex != -1 && m_SelectedCurve != null) { var animCurve = m_SelectedCurve.animationCurveValue; var length = animCurve.length; if (m_Curves[m_SelectedCurve].minPointCount < length && length >= 0) { EditDeleteKeyframe(animCurve, m_SelectedKeyframeIndex); m_SelectedKeyframeIndex = -1; SaveCurve(m_SelectedCurve, animCurve); } e.Use(); } } } void SaveCurve(SerializedProperty prop, AnimationCurve curve) { prop.animationCurveValue = curve; } void Invalidate() { m_Dirty = true; } #endregion #region Keyframe manipulations void SelectKeyframe(SerializedProperty curve, int keyframeIndex) { m_SelectedKeyframeIndex = keyframeIndex; m_SelectedCurve = curve; Invalidate(); } void ContextMenuAddKey(Vector3 hit, bool createOnCurve) { SerializedObject serializedObject = null; foreach (var curve in m_Curves) { if (!curve.Value.editable || !curve.Value.visible) continue; var prop = curve.Key; var state = curve.Value; if (serializedObject == null) { serializedObject = prop.serializedObject; serializedObject.Update(); } var animCurve = prop.animationCurveValue; EditCreateKeyframe(animCurve, hit, createOnCurve, state.zeroKeyConstantValue); SaveCurve(prop, animCurve); } if (serializedObject != null) serializedObject.ApplyModifiedProperties(); Invalidate(); } void EditCreateKeyframe(AnimationCurve curve, Vector3 position, bool createOnCurve, float zeroKeyConstantValue) { float tangent = EvaluateTangent(curve, position.x); if (createOnCurve) { position.y = curve.length == 0 ? zeroKeyConstantValue : curve.Evaluate(position.x); } AddKeyframe(curve, new Keyframe(position.x, position.y, tangent, tangent)); } void EditDeleteKeyframe(AnimationCurve curve, int keyframeIndex) { RemoveKeyframe(curve, keyframeIndex); } void AddKeyframe(AnimationCurve curve, Keyframe newValue) { curve.AddKey(newValue); Invalidate(); } void RemoveKeyframe(AnimationCurve curve, int keyframeIndex) { curve.RemoveKey(keyframeIndex); Invalidate(); } void SetKeyframe(AnimationCurve curve, int keyframeIndex, Keyframe newValue) { var keys = curve.keys; if (keyframeIndex > 0) newValue.time = Mathf.Max(keys[keyframeIndex - 1].time + settings.keyTimeClampingDistance, newValue.time); if (keyframeIndex < keys.Length - 1) newValue.time = Mathf.Min(keys[keyframeIndex + 1].time - settings.keyTimeClampingDistance, newValue.time); curve.MoveKey(keyframeIndex, newValue); Invalidate(); } void EditMoveKeyframe(AnimationCurve curve, Keyframe[] keys, int keyframeIndex) { var key = CanvasToCurve(Event.current.mousePosition); float inTgt = keys[keyframeIndex].inTangent; float outTgt = keys[keyframeIndex].outTangent; SetKeyframe(curve, keyframeIndex, new Keyframe(key.x, key.y, inTgt, outTgt)); } void EditMoveTangent(AnimationCurve curve, Keyframe[] keys, int keyframeIndex, Tangent targetTangent, bool linkTangents) { var pos = CanvasToCurve(Event.current.mousePosition); float time = keys[keyframeIndex].time; float value = keys[keyframeIndex].value; pos -= new Vector3(time, value); if (targetTangent == Tangent.In && pos.x > 0f) pos.x = 0f; if (targetTangent == Tangent.Out && pos.x < 0f) pos.x = 0f; float tangent; if (Mathf.Approximately(pos.x, 0f)) tangent = pos.y < 0f ? float.PositiveInfinity : float.NegativeInfinity; else tangent = pos.y / pos.x; float inTangent = keys[keyframeIndex].inTangent; float outTangent = keys[keyframeIndex].outTangent; if (targetTangent == Tangent.In || linkTangents) inTangent = tangent; if (targetTangent == Tangent.Out || linkTangents) outTangent = tangent; SetKeyframe(curve, keyframeIndex, new Keyframe(time, value, inTangent, outTangent)); } #endregion #region Maths utilities Vector3 CurveToCanvas(Keyframe keyframe) { return CurveToCanvas(new Vector3(keyframe.time, keyframe.value)); } Vector3 CurveToCanvas(Vector3 position) { var bounds = settings.bounds; var output = new Vector3((position.x - bounds.x) / (bounds.xMax - bounds.x), (position.y - bounds.y) / (bounds.yMax - bounds.y)); output.x = output.x * (m_CurveArea.xMax - m_CurveArea.xMin) + m_CurveArea.xMin; output.y = (1f - output.y) * (m_CurveArea.yMax - m_CurveArea.yMin) + m_CurveArea.yMin; return output; } Vector3 CanvasToCurve(Vector3 position) { var bounds = settings.bounds; var output = position; output.x = (output.x - m_CurveArea.xMin) / (m_CurveArea.xMax - m_CurveArea.xMin); output.y = (output.y - m_CurveArea.yMin) / (m_CurveArea.yMax - m_CurveArea.yMin); output.x = Mathf.Lerp(bounds.x, bounds.xMax, output.x); output.y = Mathf.Lerp(bounds.yMax, bounds.y, output.y); return output; } Vector3 CurveTangentToCanvas(float tangent) { if (!float.IsInfinity(tangent)) { var bounds = settings.bounds; float ratio = (m_CurveArea.width / m_CurveArea.height) / ((bounds.xMax - bounds.x) / (bounds.yMax - bounds.y)); return new Vector3(1f, -tangent / ratio).normalized; } return float.IsPositiveInfinity(tangent) ? Vector3.up : Vector3.down; } Vector3[] BezierSegment(Keyframe start, Keyframe end) { var segment = new Vector3[4]; segment[0] = CurveToCanvas(new Vector3(start.time, start.value)); segment[3] = CurveToCanvas(new Vector3(end.time, end.value)); float middle = start.time + ((end.time - start.time) * 0.333333f); float middle2 = start.time + ((end.time - start.time) * 0.666666f); segment[1] = CurveToCanvas(new Vector3(middle, ProjectTangent(start.time, start.value, start.outTangent, middle))); segment[2] = CurveToCanvas(new Vector3(middle2, ProjectTangent(end.time, end.value, end.inTangent, middle2))); return segment; } Vector3[] HardSegment(Keyframe start, Keyframe end) { var segment = new Vector3[3]; segment[0] = CurveToCanvas(start); segment[1] = CurveToCanvas(new Vector3(end.time, start.value)); segment[2] = CurveToCanvas(end); return segment; } float ProjectTangent(float inPosition, float inValue, float inTangent, float projPosition) { return inValue + ((projPosition - inPosition) * inTangent); } float EvaluateTangent(AnimationCurve curve, float time) { int prev = -1, next = 0; for (int i = 0; i < curve.keys.Length; i++) { if (time > curve.keys[i].time) { prev = i; next = i + 1; } else break; } if (next == 0) return 0f; if (prev == curve.keys.Length - 1) return 0f; const float kD = 1e-3f; float tp = Mathf.Max(time - kD, curve.keys[prev].time); float tn = Mathf.Min(time + kD, curve.keys[next].time); float vp = curve.Evaluate(tp); float vn = curve.Evaluate(tn); if (Mathf.Approximately(tn, tp)) return (vn - vp > 0f) ? float.PositiveInfinity : float.NegativeInfinity; return (vn - vp) / (tn - tp); } #endregion } }
36.486455
188
0.478936
[ "Unlicense" ]
rYuuk/SceneLoader
Assets/Flooded_Grounds/PostProcessing/Editor/Utils/CurveEditor.cs
30,977
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.IO; using System.Linq; using System.Reflection; using System.Text; using System.Threading.Tasks; using Xunit; namespace System.Diagnostics { /// <summary>Base class used for all tests that need to spawn a remote process.</summary> public abstract partial class RemoteExecutorTestBase : FileCleanupTestBase { /// <summary>Invokes the method from this assembly in another process using the specified arguments.</summary> /// <param name="method">The method to invoke.</param> /// <param name="args">The arguments to pass to the method.</param> /// <param name="start">true if this function should Start the Process; false if that responsibility is left up to the caller.</param> /// <param name="psi">The ProcessStartInfo to use, or null for a default.</param> /// <param name="pasteArguments">true if this function should paste the arguments (e.g. surrounding with quotes); false if that reponsibility is left up to the caller.</param> private static RemoteInvokeHandle RemoteInvoke(MethodInfo method, string[] args, RemoteInvokeOptions options, bool pasteArguments = true) { options = options ?? new RemoteInvokeOptions(); // Verify the specified method is and that it returns an int (the exit code), // and that if it accepts any arguments, they're all strings. Assert.True(method.ReturnType == typeof(int) || method.ReturnType == typeof(Task<int>)); Assert.All(method.GetParameters(), pi => Assert.Equal(typeof(string), pi.ParameterType)); // And make sure it's in this assembly. This isn't critical, but it helps with deployment to know // that the method to invoke is available because we're already running in this assembly. Type t = method.DeclaringType; Assembly a = t.GetTypeInfo().Assembly; // Start the other process and return a wrapper for it to handle its lifetime and exit checking. var psi = options.StartInfo; psi.UseShellExecute = false; if (!options.EnableProfiling) { // Profilers / code coverage tools doing coverage of the test process set environment // variables to tell the targeted process what profiler to load. We don't want the child process // to be profiled / have code coverage, so we remove these environment variables for that process // before it's started. psi.Environment.Remove("Cor_Profiler"); psi.Environment.Remove("Cor_Enable_Profiling"); psi.Environment.Remove("CoreClr_Profiler"); psi.Environment.Remove("CoreClr_Enable_Profiling"); } // If we need the host (if it exists), use it, otherwise target the console app directly. string metadataArgs = PasteArguments.Paste(new string[] { a.FullName, t.FullName, method.Name }, pasteFirstArgumentUsingArgV0Rules: false); string passedArgs = pasteArguments ? PasteArguments.Paste(args, pasteFirstArgumentUsingArgV0Rules: false) : string.Join(" ", args); string testConsoleAppArgs = ExtraParameter + " " + metadataArgs + " " + passedArgs; if (!File.Exists(TestConsoleApp)) throw new IOException("RemoteExecutorConsoleApp test app isn't present in the test runtime directory."); psi.FileName = HostRunner; psi.Arguments = testConsoleAppArgs; // Return the handle to the process, which may or not be started return new RemoteInvokeHandle(options.Start ? Process.Start(psi) : new Process() { StartInfo = psi }, options); } } }
56.211268
183
0.661989
[ "MIT" ]
cydhaselton/cfx-android
src/CoreFx.Private.TestUtilities/src/System/Diagnostics/RemoteExecutorTestBase.Process.cs
3,991
C#
using System; using System.Collections.Generic; using System.Text; using System.IO; namespace ICSimulator { class MyTracer { public static ulong id = 0, id2 = 0; public static void trace(Flit f, string loc, BufRingMultiNetwork_Coord c) { //return; if (f.packet.ID >= id && f.packet.ID < id2 && f.flitNr == 0) { BufRingMultiNetwork_Coord srcC = new BufRingMultiNetwork_Coord(f.packet.src.ID, Config.bufrings_levels - 1); BufRingMultiNetwork_Coord destC = new BufRingMultiNetwork_Coord(f.packet.dest.ID, Config.bufrings_levels - 1); Console.WriteLine("cycle {0} flit {3}.0 (src {4} dest {5} ID {6}) at coord {1} loc {2}", Simulator.CurrentRound, c, loc, f.packet.ID, srcC, destC, f.packet.dest.ID); } } } public interface IBufRingMultiBackpressure { bool getCredit(Flit f, int bubble); } public struct BufRingMultiNetwork_Coord { // level corresponds to the index of the last coord dimension that is // valid, ie, prefix length public int level; public int[] coord; public int id; public override string ToString() { string s = "coord ("; for (int i = 0; i < coord.Length; i++) { if (i > 0) s += ","; s += coord[i].ToString(); } s += String.Format(")/{0}", level); return s; } public BufRingMultiNetwork_Coord(int _id, int _level) { id = _id; level = _level; coord = new int[Config.bufrings_levels]; for (int i = level; i >= 0; i--) { coord[i] = id % Config.bufrings_branching; id /= Config.bufrings_branching; } } public BufRingMultiNetwork_Coord(BufRingMultiNetwork_Coord other) { id = other.id; level = other.level; coord = new int[Config.bufrings_levels]; for (int i = 0; i < Config.bufrings_levels; i++) coord[i] = other.coord[i]; } // if this is a coordinate at a non-leaf node (IRI), should we // route the given flit up the hierarchy? Yes if its // prefix does not match our prefix. public bool routeG(BufRingMultiNetwork_Coord flitCoord) { //Console.WriteLine("routeG: my coord {0}, flitCoord {1}", this, flitCoord); for (int i = 0; i <= level; i++) if (flitCoord.coord[i] != coord[i]) return true; return false; } // if this is a coordinate at a non-leaf node (IRI), should we // route the given flit down the hierarchy? Yes if its // prefix does match our prefix. public bool routeL(BufRingMultiNetwork_Coord flitCoord) { for (int i = 0; i <= level; i++) if (flitCoord.coord[i] != coord[i]) return false; return true; } } public class BufRingMultiNetwork_Router : Router { BufRingMultiNetwork_NIC[] _nics; int _nic_count; ulong _lastInject = 0; public BufRingMultiNetwork_Router(Coord c) : base(c) { _nics = new BufRingMultiNetwork_NIC[Config.bufrings_n]; _nic_count = 0; } protected override void _doStep() { // nothing } public override bool canInjectFlit(Flit f) { if (_lastInject == Simulator.CurrentRound) return false; for (int i = 0; i < _nic_count; i++) if (_nics[i].Inject == null) return true; return false; } public override void InjectFlit(Flit f) { int b = Simulator.rand.Next(Config.bufrings_n); for (int i = 0; i < _nic_count; i++) { int idx = (b + i) % Config.bufrings_n; if (_nics[idx].Inject == null) { _nics[idx].Inject = f; statsInjectFlit(f); _lastInject = Simulator.CurrentRound; return; } } throw new Exception("Could not inject flit -- no free slots!"); } public void acceptFlit(Flit f) { statsEjectFlit(f); if (f.packet.nrOfArrivedFlits + 1 == f.packet.nrOfFlits) statsEjectPacket(f.packet); m_n.receiveFlit(f); } public void addNIC(BufRingMultiNetwork_NIC nic) { _nics[_nic_count++] = nic; nic.setRouter(this); } } public class BufRingMultiNetwork_NIC : IBufRingMultiBackpressure { BufRingMultiNetwork_Router _router; BufRingMultiNetwork_Coord _coord; IBufRingMultiBackpressure _downstream; Flit _inject; Link _in, _out; Queue<Flit> _buf; int _credits; public BufRingMultiNetwork_Coord Coord { get { return _coord; } } public Flit Inject { get { return _inject; } set { _inject = value; _inject.bufrings_coord = new BufRingMultiNetwork_Coord(value.packet.dest.ID, Config.bufrings_levels - 1); } } public bool getCredit(Flit f, int bubble) { if (Config.bufrings_inf_credit) return true; if (_credits > bubble) { _credits--; return true; } else return false; } public BufRingMultiNetwork_NIC(BufRingMultiNetwork_Coord coord) { _coord = coord; _buf = new Queue<Flit>(); _credits = Config.bufrings_localbuf; _inject = null; } public void setRouter(BufRingMultiNetwork_Router router) { _router = router; } public bool doStep() { bool somethingMoved = false; // handle input from ring if (_in.Out != null) { Flit f = _in.Out; _in.Out = null; MyTracer.trace(f, "NIC input", _coord); somethingMoved = true; if (f.packet.dest.ID == _router.coord.ID) { _credits++; _router.acceptFlit(f); } else { _buf.Enqueue(f); Simulator.stats.bufrings_nic_enqueue.Add(); } } // handle through traffic if (_buf.Count > 0) { Flit f = _buf.Peek(); if (_downstream.getCredit(f, 0)) { _buf.Dequeue(); _credits++; _out.In = f; Simulator.stats.bufrings_nic_dequeue.Add(); somethingMoved = true; } } // handle injections if (_out.In == null && _inject != null) { if (_downstream.getCredit(_inject, 2)) { _out.In = _inject; _inject = null; Simulator.stats.bufrings_nic_inject.Add(); somethingMoved = true; } } if (_inject != null) Simulator.stats.bufrings_nic_starve.Add(); if (_out.In != null) Simulator.stats.bufrings_link_traverse[Config.bufrings_levels - 1].Add(); Simulator.stats.bufrings_nic_occupancy.Add(_buf.Count); return somethingMoved; } public void setInput(Link l) { _in = l; } public void setOutput(Link l, IBufRingMultiBackpressure downstream) { _out = l; _downstream = downstream; } public void nuke(Queue<Flit> flits) { while (_buf.Count > 0) { flits.Enqueue(_buf.Dequeue()); } if (_inject != null) flits.Enqueue(_inject); _credits = Config.bufrings_localbuf; _inject = null; } public void dumpNet() { System.Console.Write("dump NIC {0}: buf ( ", _coord); foreach (Flit flit in _buf) System.Console.Write("{0}.{1} -> {2} ", flit.packet.ID, flit.flitNr, new BufRingMultiNetwork_Coord(flit.packet.dest.ID, 2).ToString()); System.Console.WriteLine(") credits {0}", _credits); } } public class BufRingMultiNetwork_IRI { Link _gin, _gout, _lin, _lout; Queue<Flit> _bufGL, _bufLG, _bufL, _bufG; int _creditGL, _creditLG, _creditL, _creditG; IBufRingMultiBackpressure _downstreamL, _downstreamG; BufRingMultiNetwork_Coord _coord; public BufRingMultiNetwork_Coord Coord { get { return _coord; } } BufRingMultiNetwork_IRI_LocalPort _localBack; BufRingMultiNetwork_IRI_GlobalPort _globalBack; public IBufRingMultiBackpressure LocalPort { get { return _localBack; } } public IBufRingMultiBackpressure GlobalPort { get { return _globalBack; } } public class BufRingMultiNetwork_IRI_LocalPort : IBufRingMultiBackpressure { public BufRingMultiNetwork_IRI _iri; public BufRingMultiNetwork_IRI_LocalPort(BufRingMultiNetwork_IRI iri) { _iri = iri; } public bool getCredit(Flit f, int bubble) { if (Config.bufrings_inf_credit) return true; return _iri.getCredit_local(f, bubble); } } public class BufRingMultiNetwork_IRI_GlobalPort : IBufRingMultiBackpressure { public BufRingMultiNetwork_IRI _iri; public BufRingMultiNetwork_IRI_GlobalPort(BufRingMultiNetwork_IRI iri) { _iri = iri; } public bool getCredit(Flit f, int bubble) { if (Config.bufrings_inf_credit) return true; return _iri.getCredit_global(f, bubble); } } // credit request from our global-ring interface protected bool getCredit_global(Flit f, int bubble) { MyTracer.trace(f, "getCredit global", _coord); if (!_coord.routeL(f.bufrings_coord)) { if (_creditG > bubble) { _creditG--; return true; } else return false; } else { if (_creditGL > bubble) { _creditGL--; return true; } else return false; } } // credit request from our local-ring interface protected bool getCredit_local(Flit f, int bubble) { MyTracer.trace(f, "getCredit local", _coord); if (_coord.routeG(f.bufrings_coord)) { MyTracer.trace(f, "getCredit local LG", _coord); //if (f.packet.ID == MyTracer.id) Console.WriteLine("credits {0} bubble {1}", _creditLG, bubble); if (_creditLG > bubble) { _creditLG--; return true; } else return false; } else { MyTracer.trace(f, "getCredit local L", _coord); if (_creditL > bubble) { _creditL--; return true; } else return false; } } public BufRingMultiNetwork_IRI(BufRingMultiNetwork_Coord c) { _coord = c; //Console.WriteLine("new IRI: coord {0}", c); _bufGL = new Queue<Flit>(); _bufLG = new Queue<Flit>(); _bufL = new Queue<Flit>(); _bufG = new Queue<Flit>(); _creditGL = Config.bufrings_G2L; _creditLG = Config.bufrings_L2G; _creditL = Config.bufrings_localbuf; _creditG = Config.bufrings_globalbuf; _localBack = new BufRingMultiNetwork_IRI_LocalPort(this); _globalBack = new BufRingMultiNetwork_IRI_GlobalPort(this); } public void setGlobalInput(Link l) { _gin = l; } public void setGlobalOutput(Link l, IBufRingMultiBackpressure b) { _gout = l; _downstreamG = b; } public void setLocalInput(Link l) { _lin = l; } public void setLocalOutput(Link l, IBufRingMultiBackpressure b) { _lout = l; _downstreamL = b; } public bool doStep() { bool somethingMoved = false; // handle inputs // global input if (_gin.Out != null) { Flit f = _gin.Out; _gin.Out = null; MyTracer.trace(f, "IRI global input", _coord); somethingMoved = true; if (_coord.routeL(f.bufrings_coord)) { _bufGL.Enqueue(f); MyTracer.trace(f, String.Format("IRI global->local transfer, queue length {0}", _bufLG.Count), _coord); Simulator.stats.bufrings_iri_enqueue_gl[_coord.level].Add(); } else { _bufG.Enqueue(f); Simulator.stats.bufrings_iri_enqueue_g[_coord.level].Add(); } } // local input if (_lin.Out != null) { Flit f = _lin.Out; _lin.Out = null; MyTracer.trace(f, "IRI local input", _coord); somethingMoved = true; if (_coord.routeG(f.bufrings_coord)) { _bufLG.Enqueue(f); MyTracer.trace(f, String.Format("IRI local->global transfer, queue length {0}", _bufLG.Count), _coord); Simulator.stats.bufrings_iri_enqueue_lg[_coord.level].Add(); } else { _bufL.Enqueue(f); Simulator.stats.bufrings_iri_enqueue_l[_coord.level].Add(); } } // handle outputs // global output (on-ring traffic) if (_gout.In == null && _bufG.Count > 0) { Flit f = _bufG.Peek(); if (_downstreamG.getCredit(f, 0)) { _bufG.Dequeue(); Simulator.stats.bufrings_iri_dequeue_g[_coord.level].Add(); _creditG++; _gout.In = f; somethingMoved = true; } } // global output (transfer traffic) if (_gout.In == null && _bufLG.Count > 0) { Flit f = _bufLG.Peek(); if (_downstreamG.getCredit(f, (_coord.coord.Length - _coord.level))) { // bubble flow control: black magic _bufLG.Dequeue(); Simulator.stats.bufrings_iri_dequeue_lg[_coord.level].Add(); _creditLG++; _gout.In = f; somethingMoved = true; } } // local output (transfer traffic) if (_lout.In == null && _bufGL.Count > 0) { Flit f = _bufGL.Peek(); if (_downstreamL.getCredit(f, 0)) { _bufGL.Dequeue(); Simulator.stats.bufrings_iri_dequeue_gl[_coord.level].Add(); _creditGL++; _lout.In = f; somethingMoved = true; } else { BufRingMultiNetwork_IRI_GlobalPort i = _downstreamL as BufRingMultiNetwork_IRI_GlobalPort; #if DEBUG Console.WriteLine("GL block at IRI {0} flit {1}.{2} cycle {3} downstream is IRI {4}", _coord, f.packet.ID, f.flitNr, Simulator.CurrentRound, (i != null) ? i._iri._coord.ToString() : "(nic)"); #endif } } // local output (on-ring traffic) if (_lout.In == null && _bufL.Count > 0) { Flit f = _bufL.Peek(); if (_downstreamL.getCredit(f, 0)) { _bufL.Dequeue(); Simulator.stats.bufrings_iri_dequeue_l[_coord.level].Add(); _creditL++; _lout.In = f; somethingMoved = true; } } if (_gout.In != null) Simulator.stats.bufrings_link_traverse[_coord.level].Add(); if (_lout.In != null) Simulator.stats.bufrings_link_traverse[_coord.level + 1].Add(); Simulator.stats.bufrings_iri_occupancy_g[_coord.level].Add(_bufG.Count); Simulator.stats.bufrings_iri_occupancy_l[_coord.level].Add(_bufL.Count); Simulator.stats.bufrings_iri_occupancy_gl[_coord.level].Add(_bufGL.Count); Simulator.stats.bufrings_iri_occupancy_lg[_coord.level].Add(_bufLG.Count); Simulator.stats.bufrings_ring_util[_coord.level].Add(_gout.In != null ? 1 : 0); return somethingMoved; } public void nuke(Queue<Flit> flits) { while (_bufGL.Count > 0) flits.Enqueue(_bufGL.Dequeue()); while (_bufG.Count > 0) flits.Enqueue(_bufG.Dequeue()); while (_bufL.Count > 0) flits.Enqueue(_bufL.Dequeue()); while (_bufLG.Count > 0) flits.Enqueue(_bufLG.Dequeue()); _creditGL = Config.bufrings_G2L; _creditLG = Config.bufrings_L2G; _creditL = Config.bufrings_localbuf; _creditG = Config.bufrings_globalbuf; } public void dumpNet() { System.Console.Write("dump IRI {0}: local buf ( ", _coord); foreach (Flit flit in _bufL) System.Console.Write("{0}.{1} -> {2} ", flit.packet.ID, flit.flitNr, new BufRingMultiNetwork_Coord(flit.packet.dest.ID, 2).ToString()); System.Console.Write(") cred {0} global buf ( ", _creditL); foreach (Flit flit in _bufG) System.Console.Write("{0}.{1} -> {2} ", flit.packet.ID, flit.flitNr, new BufRingMultiNetwork_Coord(flit.packet.dest.ID, 2).ToString()); System.Console.Write(") cred {0} local->global buf ( ", _creditG); foreach (Flit flit in _bufLG) System.Console.Write("{0}.{1} -> {2} ", flit.packet.ID, flit.flitNr, new BufRingMultiNetwork_Coord(flit.packet.dest.ID, 2).ToString()); System.Console.Write(") cred {0} global->local buf ( ", _creditLG); foreach (Flit flit in _bufGL) System.Console.Write("{0}.{1} -> {2} ", flit.packet.ID, flit.flitNr, new BufRingMultiNetwork_Coord(flit.packet.dest.ID, 2).ToString()); System.Console.WriteLine(") cred {0}", _creditGL); } } public class BufRingMultiNetwork : Network { List<BufRingMultiNetwork_NIC> _nics; List<BufRingMultiNetwork_IRI> _iris; BufRingMultiNetwork_Router[] _routers; public BufRingMultiNetwork(int dimX, int dimY) : base(dimX, dimY) { X = dimX; Y = dimY; } // set up a ring with local nodes at level 'level' void setup_ring(BufRingMultiNetwork_Coord coord, int level, out BufRingMultiNetwork_IRI iri, out int count) { count = 0; //Console.WriteLine("setup_ring: coord {0}, level {1}", coord, level); if (level == (Config.bufrings_levels - 1)) { BufRingMultiNetwork_NIC first = null, last = null; for (int n = 0; n < Config.bufrings_branching; n++) { int id = coord.id + n; //Console.WriteLine("setup_ring: coord {0}, level {1}: node {2}, global id {3}", // coord, level, n, id); BufRingMultiNetwork_Coord c = new BufRingMultiNetwork_Coord(id, level); BufRingMultiNetwork_NIC nic = new BufRingMultiNetwork_NIC(c); _routers[id].addNIC(nic); _nics.Add(nic); if (last != null) { Link l = new Link(Config.bufrings_locallat); links.Add(l); nic.setInput(l); last.setOutput(l, nic); //Console.WriteLine("link nic coord {0} -> nic coord {1}", // last.Coord, nic.Coord); } else { first = nic; } last = nic; } BufRingMultiNetwork_Coord iricoord = new BufRingMultiNetwork_Coord(coord); iricoord.level--; iri = new BufRingMultiNetwork_IRI(iricoord); _iris.Add(iri); Link iriIn = new Link(Config.bufrings_locallat - 1), iriOut = new Link(Config.bufrings_locallat - 1); links.Add(iriIn); links.Add(iriOut); last.setOutput(iriIn, iri.LocalPort); iri.setLocalInput(iriIn); iri.setLocalOutput(iriOut, first); first.setInput(iriOut); //Console.WriteLine("link nic coord {0} -> IRI coord {1} local", // last.Coord, iri.Coord); //Console.WriteLine("link IRI coord {0} local -> nic coord {1}", // iri.Coord, first.Coord); count = Config.bufrings_branching; } else { BufRingMultiNetwork_IRI first = null, last = null; int id = coord.id; for (int n = 0; n < Config.bufrings_branching; n++) { BufRingMultiNetwork_Coord c = new BufRingMultiNetwork_Coord(coord); BufRingMultiNetwork_IRI I; int subcount; c.level++; c.coord[c.level - 1] = n; c.id = id; setup_ring(c, level + 1, out I, out subcount); id += subcount; count += subcount; if (last != null) { Link l = new Link(Config.bufrings_globallat - 1); links.Add(l); I.setGlobalInput(l); last.setGlobalOutput(l, I.GlobalPort); //Console.WriteLine("link IRI coord {0} global -> IRI coord {1} global", // last.Coord, I.Coord); } else { first = I; } last = I; } if (level > 0) { BufRingMultiNetwork_Coord iricoord = new BufRingMultiNetwork_Coord(coord); iricoord.level--; iri = new BufRingMultiNetwork_IRI(iricoord); _iris.Add(iri); Link iriIn = new Link(Config.bufrings_globallat - 1), iriOut = new Link(Config.bufrings_globallat - 1); links.Add(iriIn); links.Add(iriOut); last.setGlobalOutput(iriIn, iri.LocalPort); iri.setLocalInput(iriIn); iri.setLocalOutput(iriOut, first.GlobalPort); first.setGlobalInput(iriOut); //Console.WriteLine("link IRI coord {0} global -> IRI coord {1} local", // last.Coord, iri.Coord); //Console.WriteLine("link IRI coord {0} local -> IRI coord {1} global", // iri.Coord, first.Coord); } else { Link l = new Link(Config.bufrings_globallat - 1); links.Add(l); last.setGlobalOutput(l, first.GlobalPort); first.setGlobalInput(l); //Console.WriteLine("link IRI coord {0} global -> IRI coord {1} global", // last.Coord, first.Coord); iri = null; } } } public override void setup() { // boilerplate nodes = new Node[Config.N]; cache = new CmpCache(); ParseFinish(Config.finish); workload = new Workload(Config.traceFilenames); mapping = new NodeMapping_AllCPU_SharedCache(); _nics = new List<BufRingMultiNetwork_NIC>(); _iris = new List<BufRingMultiNetwork_IRI>(); links = new List<Link>(); _routers = new BufRingMultiNetwork_Router[Config.N]; //Console.WriteLine("setup: N = {0}", Config.N); // create routers and nodes for (int n = 0; n < Config.N; n++) { Coord c = new Coord(n); nodes[n] = new Node(mapping, c); _routers[n] = new BufRingMultiNetwork_Router(c); _routers[n].setNode(nodes[n]); nodes[n].setRouter(_routers[n]); } // for each copy of the network... for (int copy = 0; copy < Config.bufrings_n; copy++) { BufRingMultiNetwork_Coord c = new BufRingMultiNetwork_Coord(0, 0); BufRingMultiNetwork_IRI iri; int count; setup_ring(c, 0, out iri, out count); } } public override void doStep() { bool somethingMoved = false; doStats(); for (int n = 0; n < Config.N; n++) nodes[n].doStep(); // step the network sim: first, routers foreach (BufRingMultiNetwork_NIC nic in _nics) if (nic.doStep()) somethingMoved = true; foreach (BufRingMultiNetwork_IRI iri in _iris) if (iri.doStep()) { somethingMoved = true; } bool stalled = false; foreach (BufRingMultiNetwork_NIC nic in _nics) if (nic.Inject != null) stalled = true; // now, step each link foreach (Link l in links) l.doStep(); if (stalled && !somethingMoved) { nuke(); #if DEBUG dumpNet(); System.Environment.Exit(0); #endif } } void nuke() { //Console.WriteLine("NUKE! Cycle {0}.", Simulator.CurrentRound); Simulator.stats.bufrings_nuke.Add(); // first, collect all flits from the network and reset credits, etc Queue<Flit> flits = new Queue<Flit>(); foreach (BufRingMultiNetwork_NIC nic in _nics) nic.nuke(flits); foreach (BufRingMultiNetwork_IRI iri in _iris) iri.nuke(flits); foreach (Link l in links) if (l.Out != null) { flits.Enqueue(l.Out); l.Out = null; } // now deliver all collected flits while (flits.Count > 0) { Flit f = flits.Dequeue(); _routers[f.packet.dest.ID].acceptFlit(f); } } public override void close() { } void dumpNet() { foreach (BufRingMultiNetwork_NIC nic in _nics) nic.dumpNet(); foreach (BufRingMultiNetwork_IRI iri in _iris) iri.dumpNet(); } } }
34.612667
151
0.491537
[ "MIT" ]
CMU-SAFARI/NOCulator
hring/src/Net/BufRingNetwork_Multi.cs
28,417
C#
//------------------------------------------------------------------------------ // <auto-generated> // This code was generated by a tool. // // Changes to this file may cause incorrect behavior and will be lost if // the code is regenerated. // </auto-generated> //------------------------------------------------------------------------------ namespace haiku { public partial class wip { } }
23.444444
81
0.390995
[ "MIT" ]
teahelaschuk/site
haiku/wip.aspx.designer.cs
424
C#
using FluentValidation.AspNetCore; using Microsoft.AspNetCore.Builder; using Microsoft.AspNetCore.Hosting; using Microsoft.AspNetCore.HttpsPolicy; using Microsoft.AspNetCore.Mvc; using Microsoft.Extensions.Configuration; using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.Hosting; using Microsoft.Extensions.Logging; using Microsoft.OpenApi.Models; using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace FluentValidation.WebApi { public class Startup { public Startup(IConfiguration configuration) { Configuration = configuration; } public IConfiguration Configuration { get; } // This method gets called by the runtime. Use this method to add services to the container. public void ConfigureServices(IServiceCollection services) { services.AddControllers() .AddFluentValidation(s => { s.RegisterValidatorsFromAssemblyContaining<Startup>(); s.DisableDataAnnotationsValidation = true; }); services.AddSwaggerGen(c => { c.SwaggerDoc("v1", new OpenApiInfo { Title = "FluentValidation.WebApi", Version = "v1" }); }); } // This method gets called by the runtime. Use this method to configure the HTTP request pipeline. public void Configure(IApplicationBuilder app, IWebHostEnvironment env) { if (env.IsDevelopment()) { app.UseDeveloperExceptionPage(); app.UseSwagger(); app.UseSwaggerUI(c => c.SwaggerEndpoint("/swagger/v1/swagger.json", "FluentValidation.WebApi v1")); } app.UseHttpsRedirection(); app.UseRouting(); app.UseAuthorization(); app.UseEndpoints(endpoints => { endpoints.MapControllers(); }); } } }
30.402985
115
0.622975
[ "MIT" ]
mirusser/Learning-dontNet
src/FluenValidationDemo/FluentValidation.WebApi/Startup.cs
2,037
C#
using Sandbox; public partial class TerrygeddonPlayer : Player { public enum PlayerTeam { Spectator, Selecting, Ready, InGame, Eliminated, Dead, Finished }; [Net] public PlayerTeam Team { get; protected set; } = PlayerTeam.Spectator; private TimeSince timeSinceJumpReleased; private DamageInfo lastDamage; [Net] public PawnController VehicleController { get; set; } [Net] public PawnAnimator VehicleAnimator { get; set; } [Net] public ICamera VehicleCamera { get; set; } [Net] public Entity Vehicle { get; set; } [Net] public ICamera MainCamera { get; set; } public ICamera LastCamera { get; set; } public Clothing.Container Clothing = new(); public TerrygeddonPlayer() { } public TerrygeddonPlayer(Client cl) : this() { Clothing.LoadFromClient( cl ); } public void ChangeTeam(PlayerTeam newTeam) { // TODO: change the hud and player controller depending on the state Team = newTeam; } public override void Spawn() { MainCamera = new ThirdPersonCamera(); LastCamera = MainCamera; base.Spawn(); } public override void Respawn() { SetModel( "models/citizen/citizen.vmdl" ); Controller = new WalkController(); Animator = new StandardPlayerAnimator(); MainCamera = LastCamera; Camera = MainCamera; if ( DevController is NoclipController ) { DevController = null; } EnableAllCollisions = true; EnableDrawing = true; EnableHideInFirstPerson = true; EnableShadowInFirstPerson = true; Clothing.DressEntity( this ); base.Respawn(); Health = 1.0f; var c = new CarEntity(); c.Position = Position; c.AddDriver( this ); PlaySound( "tg.bg.pregame" ); } public override void OnKilled() { base.OnKilled(); if ( lastDamage.Flags.HasFlag( DamageFlags.Vehicle ) ) { Particles.Create( "particles/impact.flesh.bloodpuff-big.vpcf", lastDamage.Position ); Particles.Create( "particles/impact.flesh-big.vpcf", lastDamage.Position ); PlaySound( "kersplat" ); } VehicleController = null; VehicleAnimator = null; VehicleCamera = null; Vehicle = null; BecomeRagdollOnClient( Velocity, lastDamage.Flags, lastDamage.Position, lastDamage.Force, GetHitboxBone( lastDamage.HitboxIndex ) ); LastCamera = MainCamera; MainCamera = new SpectateRagdollCamera(); Camera = MainCamera; Controller = null; EnableAllCollisions = false; EnableDrawing = false; } public override void TakeDamage( DamageInfo info ) { if ( GetHitboxGroup( info.HitboxIndex ) == 1 ) { info.Damage *= 10.0f; } lastDamage = info; TookDamage( lastDamage.Flags, lastDamage.Position, lastDamage.Force ); base.TakeDamage( info ); } [ClientRpc] public void TookDamage( DamageFlags damageFlags, Vector3 forcePos, Vector3 force ) { } public override PawnController GetActiveController() { if ( VehicleController != null ) return VehicleController; if ( DevController != null ) return DevController; return base.GetActiveController(); } public override PawnAnimator GetActiveAnimator() { if ( VehicleAnimator != null ) return VehicleAnimator; return base.GetActiveAnimator(); } public ICamera GetActiveCamera() { if ( VehicleCamera != null ) return VehicleCamera; return MainCamera; } public override void Simulate( Client cl ) { base.Simulate( cl ); if ( Input.ActiveChild != null ) { ActiveChild = Input.ActiveChild; } if ( LifeState != LifeState.Alive ) return; if ( VehicleController != null && DevController is NoclipController ) { DevController = null; } var controller = GetActiveController(); if ( controller != null ) EnableSolidCollisions = !controller.HasTag( "noclip" ); SimulateActiveChild( cl, ActiveChild ); if ( Input.Pressed( InputButton.View ) ) { if ( MainCamera is not FirstPersonCamera ) { MainCamera = new FirstPersonCamera(); } else { MainCamera = new ThirdPersonCamera(); } } Camera = GetActiveCamera(); if ( Input.Released( InputButton.Jump ) ) { if ( timeSinceJumpReleased < 0.3f ) { Game.Current?.DoPlayerNoclip( cl ); } timeSinceJumpReleased = 0; } if ( Input.Left != 0 || Input.Forward != 0 ) { timeSinceJumpReleased = 1; } } // TODO //public override bool HasPermission( string mode ) //{ // if ( mode == "noclip" ) return true; // if ( mode == "devcam" ) return true; // if ( mode == "suicide" ) return true; // // return base.HasPermission( mode ); // } }
20.444954
134
0.688355
[ "MIT" ]
rndtrash/terrygeddon
code/Player.cs
4,459
C#
using Savvyio.Commands; using Savvyio.Domain; using Savvyio.EventDriven; using Savvyio.Queries; namespace Savvyio.Extensions { /// <summary> /// Extension methods for the <see cref="SavvyioOptions"/> class. /// </summary> public static class SavvyioOptionsExtensions { /// <summary> /// Adds an implementation of the <see cref="IMediator"/> interface. /// </summary> /// <typeparam name="TImplementation">The type of the implementation to use.</typeparam> /// <param name="options">The <see cref="SavvyioOptions"/> to extend.</param> /// <returns>A reference to <paramref name="options"/> so that additional configuration calls can be chained.</returns> /// <remarks>The implementation will be type forwarded to: <see cref="ICommandDispatcher"/>, <see cref="IDomainEventDispatcher"/>, <see cref="IIntegrationEventDispatcher"/> and <see cref="IQueryDispatcher"/>.</remarks> public static SavvyioOptions AddMediator<TImplementation>(this SavvyioOptions options) where TImplementation : class, IMediator { options.AddDispatcher<IMediator, TImplementation>(); options.AddDispatcher<ICommandDispatcher, TImplementation>(); options.AddDispatcher<IDomainEventDispatcher, TImplementation>(); options.AddDispatcher<IIntegrationEventDispatcher, TImplementation>(); options.AddDispatcher<IQueryDispatcher, TImplementation>(); return options; } } }
48.870968
226
0.687789
[ "MIT" ]
codebeltnet/classlib-savvyio
src/Savvyio.Extensions.Dispatchers/SavvyioOptionsExtensions.cs
1,517
C#
using System; using System.Linq; using System.Windows.Forms; using IllusionsPerception.Model; namespace IllusionsPerception.Student { public partial class Form6 : Form { private int _id = 0; public Form6() { InitializeComponent(); var context = new IllusionsPerceptionContext(); var count = context.User.Count(); var user = context.User.ToList(); var id = user[count - 1].Id; _id = id; if (context.Experiment1Result.Any(x => x.Id_User == id)) { button3.Enabled = true; } if (context.Experiment2Result.Any(x => x.Id_User == id)) { button5.Enabled = true; } } private void button1_Click(object sender, EventArgs e) { var nForm = new Form5(); nForm.FormClosed += (o, ep) => this.Close(); nForm.Show(); this.Hide(); } private void button2_Click(object sender, EventArgs e) { var nForm = new Form7(); nForm.FormClosed += (o, ep) => this.Close(); nForm.Show(); this.Hide(); } private void button6_Click(object sender, EventArgs e) { var context = new IllusionsPerceptionContext(); var count = context.User.Count(); var user = context.User.ToList(); var id = user[count - 1].Id; if (context.Experiment1Result.Any(x => x.Id_User == id)) { label3.Visible = true; } else { var nForm = new Form8(); nForm.FormClosed += (o, ep) => this.Close(); nForm.Show(); this.Hide(); } } private void button3_Click(object sender, EventArgs e) { var nForm = new Form9(_id); nForm.FormClosed += (o, ep) => this.Close(); nForm.Show(); this.Hide(); } private void button7_Click(object sender, EventArgs e) { var nForm = new Form10(); nForm.FormClosed += (o, ep) => this.Close(); nForm.Show(); this.Hide(); } private void button4_Click(object sender, EventArgs e) { var context = new IllusionsPerceptionContext(); var count = context.User.Count(); var user = context.User.ToList(); var id = user[count - 1].Id; if (context.Experiment2Result.Any(x => x.Id_User == id)) { label4.Visible = true; } else { var nForm = new Form11(); nForm.FormClosed += (o, ep) => this.Close(); nForm.Show(); this.Hide(); } } private void button5_Click(object sender, EventArgs e) { var nForm = new Form12(_id); nForm.FormClosed += (o, ep) => this.Close(); nForm.Show(); this.Hide(); } private void button8_Click(object sender, EventArgs e) { Close(); } } }
27.872881
68
0.468531
[ "MIT" ]
IManfis/IllusionsPerception
IllusionsPerception/IllusionsPerception/Student/Form6.cs
3,291
C#
using System.Reflection; 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("GAB.ImageProcessingPipeline.Web")] [assembly: AssemblyDescription("")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("")] [assembly: AssemblyProduct("GAB.ImageProcessingPipeline.Web")] [assembly: AssemblyCopyright("Copyright © 2018")] [assembly: AssemblyTrademark("")] [assembly: AssemblyCulture("")] // Setting ComVisible to false makes the types in this assembly not visible // to COM components. If you need to access a type in this assembly from // COM, set the ComVisible attribute to true on that type. [assembly: ComVisible(false)] // The following GUID is for the ID of the typelib if this project is exposed to COM [assembly: Guid("70c647f6-a077-4a91-97fe-951dd079eca1")] // Version information for an assembly consists of the following four values: // // Major Version // Minor Version // Build Number // Revision // // You can specify all the values or you can default the Revision and Build Numbers // by using the '*' as shown below: [assembly: AssemblyVersion("1.0.0.0")] [assembly: AssemblyFileVersion("1.0.0.0")]
38.571429
84
0.752593
[ "MIT" ]
HenrikWM/NNUG_GAB2018
src/ImageProcessingPipeline/GAB.ImageProcessingPipeline.Web/Properties/AssemblyInfo.cs
1,351
C#
using System; using System.IO; using System.Linq; using UnityEditor; public static class PathHelper { /// <summary> /// 创建目录。自动建立子目录 /// </summary> /// <param name="path">文件夹路径</param> /// <param name="allowAssets">是否去掉路径开头的 assets</param> public static void Mkdirp(string path, bool allowAssets = false) { char[] separator = {Path.DirectorySeparatorChar, Path.AltDirectorySeparatorChar}; var segments = path.Split(separator, StringSplitOptions.RemoveEmptyEntries); var parent = "Assets"; if (!allowAssets) { if (segments.Length > 0 && segments[0] == "Assets") { segments = segments.Skip(1).ToArray(); } } while (segments.Length > 0) { var current = segments.First(); if (!AssetDatabase.IsValidFolder(Path.Combine(parent, current))) { AssetDatabase.CreateFolder(parent, current); } parent = Path.Combine(parent, current); segments = segments.Skip(1).ToArray(); } } // static string RelativePath() // { // AssetDatabase.GetAssetPath(); // return default; // } }
27.511111
89
0.562197
[ "MIT" ]
gengen1988/unity-common-scripts
Editor/PathHelper.cs
1,292
C#
using System; using System.Linq; using System.IO; using System.Text; using System.Text.RegularExpressions; using System.Collections; using System.Collections.Generic; using System.Collections.ObjectModel; using System.Runtime.Serialization; using Newtonsoft.Json; using Newtonsoft.Json.Converters; using System.ComponentModel.DataAnnotations; using SwaggerDateConverter = TrustPayments.Client.SwaggerDateConverter; namespace TrustPayments.Model { /// <summary> /// Charge /// </summary> [DataContract] public partial class Charge : TransactionAwareEntity, IEquatable<Charge> { /// <summary> /// Initializes a new instance of the <see cref="Charge" /> class. /// </summary> [JsonConstructorAttribute] public Charge() { } /// <summary> /// The date on which the charge was created on. /// </summary> /// <value>The date on which the charge was created on.</value> [DataMember(Name="createdOn", EmitDefaultValue=false)] public DateTime? CreatedOn { get; private set; } /// <summary> /// Gets or Sets FailureReason /// </summary> [DataMember(Name="failureReason", EmitDefaultValue=false)] public FailureReason FailureReason { get; private set; } /// <summary> /// Gets or Sets Language /// </summary> [DataMember(Name="language", EmitDefaultValue=false)] public string Language { get; private set; } /// <summary> /// The planned purge date indicates when the entity is permanently removed. When the date is null the entity is not planned to be removed. /// </summary> /// <value>The planned purge date indicates when the entity is permanently removed. When the date is null the entity is not planned to be removed.</value> [DataMember(Name="plannedPurgeDate", EmitDefaultValue=false)] public DateTime? PlannedPurgeDate { get; private set; } /// <summary> /// Gets or Sets SpaceViewId /// </summary> [DataMember(Name="spaceViewId", EmitDefaultValue=false)] public long? SpaceViewId { get; private set; } /// <summary> /// Gets or Sets State /// </summary> [DataMember(Name="state", EmitDefaultValue=false)] public ChargeState State { get; private set; } /// <summary> /// Gets or Sets TimeZone /// </summary> [DataMember(Name="timeZone", EmitDefaultValue=false)] public string TimeZone { get; private set; } /// <summary> /// Gets or Sets TimeoutOn /// </summary> [DataMember(Name="timeoutOn", EmitDefaultValue=false)] public DateTime? TimeoutOn { get; private set; } /// <summary> /// Gets or Sets Transaction /// </summary> [DataMember(Name="transaction", EmitDefaultValue=false)] public Transaction Transaction { get; private set; } /// <summary> /// Gets or Sets Type /// </summary> [DataMember(Name="type", EmitDefaultValue=false)] public ChargeType Type { get; private set; } /// <summary> /// The failure message describes for an end user why the charge is failed in the language of the user. This is only provided when the charge is marked as failed. /// </summary> /// <value>The failure message describes for an end user why the charge is failed in the language of the user. This is only provided when the charge is marked as failed.</value> [DataMember(Name="userFailureMessage", EmitDefaultValue=false)] public string UserFailureMessage { get; private set; } /// <summary> /// The version number indicates the version of the entity. The version is incremented whenever the entity is changed. /// </summary> /// <value>The version number indicates the version of the entity. The version is incremented whenever the entity is changed.</value> [DataMember(Name="version", EmitDefaultValue=false)] public int? Version { get; private set; } /// <summary> /// Returns the string presentation of the object /// </summary> /// <returns>String presentation of the object</returns> public override string ToString() { var sb = new StringBuilder(); sb.Append("class Charge {\n"); sb.Append(" ").Append(base.ToString().Replace("\n", "\n ")).Append("\n"); sb.Append(" Id: ").Append(Id).Append("\n"); sb.Append(" LinkedSpaceId: ").Append(LinkedSpaceId).Append("\n"); sb.Append(" LinkedTransaction: ").Append(LinkedTransaction).Append("\n"); sb.Append(" CreatedOn: ").Append(CreatedOn).Append("\n"); sb.Append(" FailureReason: ").Append(FailureReason).Append("\n"); sb.Append(" Language: ").Append(Language).Append("\n"); sb.Append(" PlannedPurgeDate: ").Append(PlannedPurgeDate).Append("\n"); sb.Append(" SpaceViewId: ").Append(SpaceViewId).Append("\n"); sb.Append(" State: ").Append(State).Append("\n"); sb.Append(" TimeZone: ").Append(TimeZone).Append("\n"); sb.Append(" TimeoutOn: ").Append(TimeoutOn).Append("\n"); sb.Append(" Transaction: ").Append(Transaction).Append("\n"); sb.Append(" Type: ").Append(Type).Append("\n"); sb.Append(" UserFailureMessage: ").Append(UserFailureMessage).Append("\n"); sb.Append(" Version: ").Append(Version).Append("\n"); sb.Append("}\n"); return sb.ToString(); } /// <summary> /// Returns the JSON string presentation of the object /// </summary> /// <returns>JSON string presentation of the object</returns> public override string ToJson() { return JsonConvert.SerializeObject(this, Formatting.Indented, new JsonSerializerSettings { NullValueHandling = NullValueHandling.Ignore }); } /// <summary> /// Returns true if objects are equal /// </summary> /// <param name="input">Object to be compared</param> /// <returns>Boolean</returns> public override bool Equals(object input) { return this.Equals(input as Charge); } /// <summary> /// Returns true if Charge instances are equal /// </summary> /// <param name="input">Instance of Charge to be compared</param> /// <returns>Boolean</returns> public bool Equals(Charge input) { if (input == null) return false; return base.Equals(input) && ( this.Id == input.Id || (this.Id != null && this.Id.Equals(input.Id)) ) && base.Equals(input) && ( this.LinkedSpaceId == input.LinkedSpaceId || (this.LinkedSpaceId != null && this.LinkedSpaceId.Equals(input.LinkedSpaceId)) ) && base.Equals(input) && ( this.LinkedTransaction == input.LinkedTransaction || (this.LinkedTransaction != null && this.LinkedTransaction.Equals(input.LinkedTransaction)) ) && base.Equals(input) && ( this.CreatedOn == input.CreatedOn || (this.CreatedOn != null && this.CreatedOn.Equals(input.CreatedOn)) ) && base.Equals(input) && ( this.FailureReason == input.FailureReason || (this.FailureReason != null && this.FailureReason.Equals(input.FailureReason)) ) && base.Equals(input) && ( this.Language == input.Language || (this.Language != null && this.Language.Equals(input.Language)) ) && base.Equals(input) && ( this.PlannedPurgeDate == input.PlannedPurgeDate || (this.PlannedPurgeDate != null && this.PlannedPurgeDate.Equals(input.PlannedPurgeDate)) ) && base.Equals(input) && ( this.SpaceViewId == input.SpaceViewId || (this.SpaceViewId != null && this.SpaceViewId.Equals(input.SpaceViewId)) ) && base.Equals(input) && ( this.State == input.State || (this.State != null && this.State.Equals(input.State)) ) && base.Equals(input) && ( this.TimeZone == input.TimeZone || (this.TimeZone != null && this.TimeZone.Equals(input.TimeZone)) ) && base.Equals(input) && ( this.TimeoutOn == input.TimeoutOn || (this.TimeoutOn != null && this.TimeoutOn.Equals(input.TimeoutOn)) ) && base.Equals(input) && ( this.Transaction == input.Transaction || (this.Transaction != null && this.Transaction.Equals(input.Transaction)) ) && base.Equals(input) && ( this.Type == input.Type || (this.Type != null && this.Type.Equals(input.Type)) ) && base.Equals(input) && ( this.UserFailureMessage == input.UserFailureMessage || (this.UserFailureMessage != null && this.UserFailureMessage.Equals(input.UserFailureMessage)) ) && base.Equals(input) && ( this.Version == input.Version || (this.Version != null && this.Version.Equals(input.Version)) ); } /// <summary> /// Gets the hash code /// </summary> /// <returns>Hash code</returns> public override int GetHashCode() { unchecked // Overflow is fine, just wrap { int hashCode = base.GetHashCode(); if (this.Id != null) hashCode = hashCode * 59 + this.Id.GetHashCode(); if (this.LinkedSpaceId != null) hashCode = hashCode * 59 + this.LinkedSpaceId.GetHashCode(); if (this.LinkedTransaction != null) hashCode = hashCode * 59 + this.LinkedTransaction.GetHashCode(); if (this.CreatedOn != null) hashCode = hashCode * 59 + this.CreatedOn.GetHashCode(); if (this.FailureReason != null) hashCode = hashCode * 59 + this.FailureReason.GetHashCode(); if (this.Language != null) hashCode = hashCode * 59 + this.Language.GetHashCode(); if (this.PlannedPurgeDate != null) hashCode = hashCode * 59 + this.PlannedPurgeDate.GetHashCode(); if (this.SpaceViewId != null) hashCode = hashCode * 59 + this.SpaceViewId.GetHashCode(); if (this.State != null) hashCode = hashCode * 59 + this.State.GetHashCode(); if (this.TimeZone != null) hashCode = hashCode * 59 + this.TimeZone.GetHashCode(); if (this.TimeoutOn != null) hashCode = hashCode * 59 + this.TimeoutOn.GetHashCode(); if (this.Transaction != null) hashCode = hashCode * 59 + this.Transaction.GetHashCode(); if (this.Type != null) hashCode = hashCode * 59 + this.Type.GetHashCode(); if (this.UserFailureMessage != null) hashCode = hashCode * 59 + this.UserFailureMessage.GetHashCode(); if (this.Version != null) hashCode = hashCode * 59 + this.Version.GetHashCode(); return hashCode; } } } }
42.773196
185
0.53298
[ "Apache-2.0" ]
TrustPayments/csharp-sdk
src/TrustPayments/Model/Charge.cs
12,447
C#
using System; using System.Collections.Generic; using System.Linq; class LernMoment { public LernMoment(string name, DateTime erschienenAm) { Name = name; ErschienenAm = erschienenAm; } public string Name { get; private set; } public DateTime ErschienenAm { get; private set; } } /// <summary> /// Zeigt dir wie du einen der vordefinierten Func-Delegates verwendest /// </summary> class Programm { static void Main() { var erfolgsMomente = new List<LernMoment> {new LernMoment("Func", new DateTime(2015, 08, 17)), new LernMoment("Var", new DateTime(2015, 07, 26)), new LernMoment("Lambda", new DateTime(2015, 07, 29)), new LernMoment("Predicate", new DateTime(2015, 07, 31))}; Func<LernMoment, bool> momentImAugust = moment => moment.ErschienenAm.Month == 8; foreach(LernMoment moment in erfolgsMomente.Where(momentImAugust)) { Console.WriteLine("LernMoment - {0}, ist erschienen am {1}", moment.Name, moment.ErschienenAm); } } }
25.538462
83
0.692771
[ "CC0-1.0" ]
Kch76/LernMoment-csharp
FuncDelegate/Programm.cs
996
C#
// Lucene version compatibility level < 7.1.0 using J2N; using ICU4N.Text; using Lucene.Net.Analysis.CharFilters; using Lucene.Net.Analysis.Util; using Lucene.Net.Util; using System; using System.Diagnostics; using System.IO; using System.Text; using ExceptionToClassNameConventionAttribute = Lucene.Net.Support.ExceptionToClassNameConventionAttribute; using Lucene.Net.Diagnostics; namespace Lucene.Net.Analysis.Icu { /* * 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. */ /// <summary> /// Normalize token text with ICU's <see cref="Normalizer2"/>. /// </summary> [ExceptionToClassNameConvention] public sealed class ICUNormalizer2CharFilter : BaseCharFilter { private readonly Normalizer2 normalizer; private readonly StringBuilder inputBuffer = new StringBuilder(); private readonly StringBuilder resultBuffer = new StringBuilder(); private bool inputFinished; private bool afterQuickCheckYes; private int checkedInputBoundary; private int charCount; /// <summary> /// Create a new <see cref="ICUNormalizer2CharFilter"/> that combines NFKC normalization, Case /// Folding, and removes Default Ignorables (NFKC_Casefold). /// </summary> /// <param name="input"></param> public ICUNormalizer2CharFilter(TextReader input) : this(input, Normalizer2.GetInstance(null, "nfkc_cf", Normalizer2Mode.Compose)) { } /// <summary> /// Create a new <see cref="ICUNormalizer2CharFilter"/> with the specified <see cref="Normalizer2"/>. /// </summary> /// <param name="input">Input text.</param> /// <param name="normalizer">Normalizer to use.</param> public ICUNormalizer2CharFilter(TextReader input, Normalizer2 normalizer) : this(input, normalizer, 128) { if (normalizer == null) { throw new ArgumentNullException("normalizer"); } this.normalizer = normalizer; } // for testing ONLY internal ICUNormalizer2CharFilter(TextReader input, Normalizer2 normalizer, int bufferSize) : base(input) { if (normalizer == null) { throw new ArgumentNullException("normalizer"); } this.normalizer = normalizer; this.tmpBuffer = CharacterUtils.NewCharacterBuffer(bufferSize); } public override int Read(char[] cbuf, int off, int len) { if (off < 0) throw new ArgumentException("off < 0"); if (off >= cbuf.Length) throw new ArgumentException("off >= cbuf.length"); if (len <= 0) throw new ArgumentException("len <= 0"); while (!inputFinished || inputBuffer.Length > 0 || resultBuffer.Length > 0) { int retLen; if (resultBuffer.Length > 0) { retLen = OutputFromResultBuffer(cbuf, off, len); if (retLen > 0) { return retLen; } } int resLen = ReadAndNormalizeFromInput(); if (resLen > 0) { retLen = OutputFromResultBuffer(cbuf, off, len); if (retLen > 0) { return retLen; } } ReadInputToBuffer(); } return 0; // .NET semantics - return 0, not -1 } private readonly CharacterUtils.CharacterBuffer tmpBuffer; private void ReadInputToBuffer() { while (true) { // CharacterUtils.fill is supplementary char aware #pragma warning disable 612, 618 bool hasRemainingChars = CharacterUtils.GetInstance(LuceneVersion.LUCENE_CURRENT).Fill(tmpBuffer, m_input); #pragma warning restore 612, 618 if (Debugging.AssertsEnabled) Debugging.Assert(tmpBuffer.Offset == 0); inputBuffer.Append(tmpBuffer.Buffer, 0, tmpBuffer.Length); if (hasRemainingChars == false) { inputFinished = true; break; } int lastCodePoint = Character.CodePointBefore(tmpBuffer.Buffer, tmpBuffer.Length , 0); if (normalizer.IsInert(lastCodePoint)) { // we require an inert char so that we can normalize content before and // after this character independently break; } } } private int ReadAndNormalizeFromInput() { if (inputBuffer.Length <= 0) { afterQuickCheckYes = false; return 0; } if (!afterQuickCheckYes) { int resLen2 = ReadFromInputWhileSpanQuickCheckYes(); afterQuickCheckYes = true; if (resLen2 > 0) return resLen2; } int resLen = ReadFromIoNormalizeUptoBoundary(); if (resLen > 0) { afterQuickCheckYes = false; } return resLen; } private int ReadFromInputWhileSpanQuickCheckYes() { int end = normalizer.SpanQuickCheckYes(inputBuffer); if (end > 0) { resultBuffer.Append(inputBuffer.ToString(0, end)); inputBuffer.Remove(0, end); checkedInputBoundary = Math.Max(checkedInputBoundary - end, 0); charCount += end; } return end; } private int ReadFromIoNormalizeUptoBoundary() { // if there's no buffer to normalize, return 0 if (inputBuffer.Length <= 0) { return 0; } bool foundBoundary = false; int bufLen = inputBuffer.Length; while (checkedInputBoundary <= bufLen - 1) { int charLen = Character.CharCount(inputBuffer.CodePointAt(checkedInputBoundary)); checkedInputBoundary += charLen; if (checkedInputBoundary < bufLen && normalizer.HasBoundaryBefore(inputBuffer .CodePointAt(checkedInputBoundary))) { foundBoundary = true; break; } } if (!foundBoundary && checkedInputBoundary >= bufLen && inputFinished) { foundBoundary = true; checkedInputBoundary = bufLen; } if (!foundBoundary) { return 0; } return NormalizeInputUpto(checkedInputBoundary); } private int NormalizeInputUpto(int length) { int destOrigLen = resultBuffer.Length; normalizer.NormalizeSecondAndAppend(resultBuffer, inputBuffer.ToString(0, length)); inputBuffer.Remove(0, length); checkedInputBoundary = Math.Max(checkedInputBoundary - length, 0); int resultLength = resultBuffer.Length - destOrigLen; RecordOffsetDiff(length, resultLength); return resultLength; } private void RecordOffsetDiff(int inputLength, int outputLength) { if (inputLength == outputLength) { charCount += outputLength; return; } int diff = inputLength - outputLength; int cumuDiff = LastCumulativeDiff; if (diff < 0) { for (int i = 1; i <= -diff; ++i) { AddOffCorrectMap(charCount + i, cumuDiff - i); } } else { AddOffCorrectMap(charCount + outputLength, cumuDiff + diff); } charCount += outputLength; } private int OutputFromResultBuffer(char[] cbuf, int begin, int len) { len = Math.Min(resultBuffer.Length, len); resultBuffer.CopyTo(0, cbuf, begin, len); if (len > 0) { resultBuffer.Remove(0, len); } return len; } } }
34.779026
123
0.547383
[ "Apache-2.0" ]
azhoshkin/lucenenet
src/Lucene.Net.Analysis.ICU/Analysis/Icu/ICUNormalizer2CharFilter.cs
9,288
C#
// ------------------------------------------------------------------------------ // Copyright (c) Microsoft Corporation. All Rights Reserved. Licensed under the MIT License. See License in the project root for license information. // ------------------------------------------------------------------------------ // **NOTE** This file was generated by a tool and any changes will be overwritten. // Template Source: Templates\CSharp\Requests\MethodRequestBuilder.cs.tt namespace Microsoft.Graph { using System; using System.Collections.Generic; using System.IO; /// <summary> /// The type WorkbookFunctionsBesselKRequestBuilder. /// </summary> public partial class WorkbookFunctionsBesselKRequestBuilder : BaseActionMethodRequestBuilder<IWorkbookFunctionsBesselKRequest>, IWorkbookFunctionsBesselKRequestBuilder { /// <summary> /// Constructs a new <see cref="WorkbookFunctionsBesselKRequestBuilder"/>. /// </summary> /// <param name="requestUrl">The URL for the request.</param> /// <param name="client">The <see cref="IBaseClient"/> for handling requests.</param> /// <param name="x">A x parameter for the OData method call.</param> /// <param name="n">A n parameter for the OData method call.</param> public WorkbookFunctionsBesselKRequestBuilder( string requestUrl, IBaseClient client, Newtonsoft.Json.Linq.JToken x, Newtonsoft.Json.Linq.JToken n) : base(requestUrl, client) { this.SetParameter("x", x, true); this.SetParameter("n", n, true); } /// <summary> /// A method used by the base class to construct a request class instance. /// </summary> /// <param name="functionUrl">The request URL to </param> /// <param name="options">The query and header options for the request.</param> /// <returns>An instance of a specific request class.</returns> protected override IWorkbookFunctionsBesselKRequest CreateRequest(string functionUrl, IEnumerable<Option> options) { var request = new WorkbookFunctionsBesselKRequest(functionUrl, this.Client, options); if (this.HasParameter("x")) { request.RequestBody.X = this.GetParameter<Newtonsoft.Json.Linq.JToken>("x"); } if (this.HasParameter("n")) { request.RequestBody.N = this.GetParameter<Newtonsoft.Json.Linq.JToken>("n"); } return request; } } }
42.112903
171
0.596323
[ "MIT" ]
AzureMentor/msgraph-sdk-dotnet
src/Microsoft.Graph/Requests/Generated/WorkbookFunctionsBesselKRequestBuilder.cs
2,611
C#
using PlatinDashboard.Domain.Entities; using System.Collections.Generic; namespace PlatinDashboard.Domain.Interfaces.Repositories { public interface IStoreRepository : IRepositoryBase<Store> { IEnumerable<Store> GetByCompany(int companyId); Store GetByCompanyAndExternalId(int companyId, int externalStoreId); void SetUserStores(string userId, int[] storesIds); void SetUserStores(string userId, int[] storesIds, string editingUserId); void RemoveAllUserStores(string userId); } }
35.666667
81
0.751402
[ "Apache-2.0" ]
TcavalcantiDesenv/RepasseApcd
src/APCD/src/PlatinDashboard.Domain/Interfaces/Repositories/IStoreRepository.cs
537
C#
// Copyright (c) SimpleIdServer. All rights reserved. // Licensed under the Apache License, Version 2.0. See LICENSE in the project root for license information. namespace SimpleIdServer.UI.Authenticate.LoginPassword.Exceptions { public static class ErrorCodes { public const string UNKNOWN_USER = "unknown_user"; public const string INVALID_CREDENTIALS = "invalid_credentials"; } }
41.1
107
0.751825
[ "Apache-2.0" ]
LaTranche31/SimpleIdServer
src/UI/SimpleIdServer.UI.Authenticate.LoginPassword/Exceptions/ErrorCodes.cs
413
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.AzureNextGen.Network.V20170601.Inputs { /// <summary> /// Contains FQDN of the DNS record associated with the public IP address /// </summary> public sealed class PublicIPAddressDnsSettingsArgs : Pulumi.ResourceArgs { /// <summary> /// Gets or sets the Domain name label.The concatenation of the domain name label and the regionalized DNS zone make up the fully qualified domain name associated with the public IP address. If a domain name label is specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system. /// </summary> [Input("domainNameLabel")] public Input<string>? DomainNameLabel { get; set; } /// <summary> /// Gets the FQDN, Fully qualified domain name of the A DNS record associated with the public IP. This is the concatenation of the domainNameLabel and the regionalized DNS zone. /// </summary> [Input("fqdn")] public Input<string>? Fqdn { get; set; } /// <summary> /// Gets or Sets the Reverse FQDN. A user-visible, fully qualified domain name that resolves to this public IP address. If the reverseFqdn is specified, then a PTR DNS record is created pointing from the IP address in the in-addr.arpa domain to the reverse FQDN. /// </summary> [Input("reverseFqdn")] public Input<string>? ReverseFqdn { get; set; } public PublicIPAddressDnsSettingsArgs() { } } }
43.853659
315
0.682981
[ "Apache-2.0" ]
pulumi/pulumi-azure-nextgen
sdk/dotnet/Network/V20170601/Inputs/PublicIPAddressDnsSettingsArgs.cs
1,798
C#
using System; using System.Collections.Concurrent; using System.Collections.Generic; using System.Collections.ObjectModel; using System.Reflection; using System.Text; using System.Linq; using System.Data.Linq.SqlClient; using System.Threading; namespace System.Data.Linq.Mapping { internal class AttributedMetaModel : MetaModel { internal static bool IsDeferredType(Type entityType) { if (entityType == null || entityType == typeof(object)) return false; if (!entityType.IsGenericType) return false; var genericTypeDefinition = entityType.GetGenericTypeDefinition(); return genericTypeDefinition == typeof(Link<>) || typeof(EntitySet<>).IsAssignableFrom(genericTypeDefinition) || typeof(EntityRef<>).IsAssignableFrom(genericTypeDefinition) || IsDeferredType(entityType.BaseType); } private static bool IsUserFunction(MethodInfo method) { return Attribute.GetCustomAttribute(method, typeof(FunctionAttribute), false) != null; } private readonly object initializeStaticTablesLock = new object(); private readonly MappingSource mappingSource; private readonly Type contextType; private readonly Type providerType; private readonly ConcurrentDictionary<Type, MetaType> metaTypes; private readonly ConcurrentDictionary<Type, MetaTable> metaTables; private ReadOnlyCollection<MetaTable> staticTables; private readonly ConcurrentDictionary<MetaPosition, MetaFunction> metaFunctions; private readonly string dbName; private bool areStaticTablesInitialized; internal AttributedMetaModel(MappingSource mappingSource, Type contextType) { this.mappingSource = mappingSource; this.contextType = contextType; metaTypes = new ConcurrentDictionary<Type, MetaType>(); metaTables = new ConcurrentDictionary<Type, MetaTable>(); metaFunctions = new ConcurrentDictionary<MetaPosition, MetaFunction>(); // Provider type var attrs = (ProviderAttribute[])this.contextType.GetCustomAttributes(typeof(ProviderAttribute), true); // Provider attribute is !AllowMultiple providerType = attrs.Length == 1 ? attrs[0].Type : typeof(SqlProvider); // Database name var das = (DatabaseAttribute[])this.contextType.GetCustomAttributes(typeof(DatabaseAttribute), false); dbName = das.Length > 0 ? das[0].Name : this.contextType.Name; } public override MappingSource MappingSource { get { return mappingSource; } } public override Type ContextType { get { return contextType; } } public override string DatabaseName { get { return dbName; } } public override Type ProviderType { get { return providerType; } } public override IEnumerable<MetaTable> GetTables() { InitStaticTables(); if (staticTables.Count > 0) return staticTables; return metaTables.Values.Where(metaTable => metaTable != null).Distinct(); } public override MetaTable GetTable(Type rowType) { if (rowType == null) throw Error.ArgumentNull("rowType"); return GetTableCore(UnproxyType(rowType)); } public override MetaType GetMetaType(Type type) { if (type == null) throw Error.ArgumentNull("type"); var nonProxyType = UnproxyType(type); MetaType mtype; if (metaTypes.TryGetValue(nonProxyType, out mtype)) return mtype; // Attributed meta model allows us to learn about tables we did not // statically know about var tab = GetTable(nonProxyType); if (tab != null) return tab.RowType.GetInheritanceType(nonProxyType); return metaTypes.GetOrAdd(nonProxyType, innerType => new UnmappedType(this, nonProxyType)); } public override MetaFunction GetFunction(MethodInfo method) { if (method == null) throw Error.ArgumentNull("method"); var key = new MetaPosition(method); var function = metaFunctions.GetOrAdd(key, mp => { if (IsUserFunction(method)) { // Added this constraint because XML mapping model didn't support // mapping sprocs to generic method. // The attribute mapping model was, however, able to support it. This check is for parity between // the two models. if (method.IsGenericMethodDefinition) throw Error.InvalidUseOfGenericMethodAsMappedFunction(method.Name); return new AttributedMetaFunction(this, method); } return null; }); return function; } private MetaTable GetTableCore(Type rowType) { MetaTable table; if (metaTables.TryGetValue(rowType, out table)) return table; var root = GetRoot(rowType) ?? rowType; var attrs = GetTableAttributes(root, true); if (!attrs.Any()) { metaTables.TryAdd(rowType, null); return null; } table = metaTables.GetOrAdd(root, type => new AttributedMetaTable(this, attrs.First(), root)); foreach (var inheritanceType in table.RowType.InheritanceTypes) metaTables.TryAdd(inheritanceType.Type, table); // catch case of derived type that is not part of inheritance if (table.RowType.GetInheritanceType(rowType) == null) { metaTables.TryAdd(rowType, null); return null; } return table; } internal virtual AttributedRootType CreateRootType(AttributedMetaTable table, Type type) { return new AttributedRootType(this, table, type); } internal virtual IReadOnlyCollection<TableAttribute> GetTableAttributes(Type type, bool shouldInherit) { if (type == null) throw new ArgumentNullException("type"); return (TableAttribute[])type.GetCustomAttributes(typeof(TableAttribute), shouldInherit); } internal virtual ColumnAttribute TryGetColumnAttribute(MemberInfo member) { if (member == null) throw new ArgumentNullException("member"); return (ColumnAttribute)Attribute.GetCustomAttribute(member, typeof(ColumnAttribute)); } internal virtual AssociationAttribute TryGetAssociationAttribute(MemberInfo member) { if (member == null) throw new ArgumentNullException("member"); return (AssociationAttribute)Attribute.GetCustomAttribute(member, typeof(AssociationAttribute)); } internal virtual bool IsDeferredMember(MemberInfo member, Type storageType, AssociationAttribute associationAttribute) { if (member == null) throw new ArgumentNullException("member"); if (storageType == null) throw new ArgumentNullException("storageType"); return IsDeferredType(storageType); } internal virtual bool DoesMemberRequireProxy( MemberInfo member, Type storageType, AssociationAttribute associationAttribute) { if (member == null) throw new ArgumentNullException("member"); if (storageType == null) throw new ArgumentNullException("storageType"); return false; } private void InitStaticTables() { if (areStaticTablesInitialized) return; lock (initializeStaticTablesLock) { InitializeStaticTablesCore(); } } private void InitializeStaticTablesCore() { if (areStaticTablesInitialized) return; var tables = new HashSet<MetaTable>(); for (var type = contextType; type != typeof(DataContext); type = type.BaseType) { var fields = type.GetFields( BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.DeclaredOnly); foreach (var field in fields) { var fieldType = field.FieldType; if (fieldType.IsGenericType && fieldType.GetGenericTypeDefinition() == typeof(Table<>)) { var rowType = fieldType.GetGenericArguments()[0]; tables.Add(GetTable(rowType)); } } var properties = type.GetProperties( BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.DeclaredOnly); foreach (var property in properties) { var propertyType = property.PropertyType; if (propertyType.IsGenericType && propertyType.GetGenericTypeDefinition() == typeof(Table<>)) { var rowType = propertyType.GetGenericArguments()[0]; tables.Add(GetTable(rowType)); } } } staticTables = new List<MetaTable>(tables).AsReadOnly(); areStaticTablesInitialized = true; } private Type GetRoot(Type derivedType) { while (derivedType != null && derivedType != typeof(object)) { var attrs = GetTableAttributes(derivedType, false); if (attrs.Any()) return derivedType; derivedType = derivedType.BaseType; } return null; } } }
29.643836
120
0.698013
[ "MIT" ]
mindbox-moscow/data-linq
Mindbox.Data.Linq/Mapping/AttributedMetaModel.cs
8,656
C#
using NUnit.Framework; using Ryujinx.Audio.Renderer.Parameter.Effect; using System.Runtime.CompilerServices; namespace Ryujinx.Tests.Audio.Renderer.Parameter.Effect { class BufferMixerParameterTests { [Test] public void EnsureTypeSize() { Assert.AreEqual(0x94, Unsafe.SizeOf<BufferMixParameter>()); } } }
22.6875
71
0.683196
[ "MIT" ]
0MrDarn0/Ryujinx
Ryujinx.Tests/Audio/Renderer/Parameter/Effect/BufferMixerParameterTests.cs
365
C#
using DNS.Protocol.ResourceRecords; using DNS.Protocol.Utils; using System; using System.Collections.Generic; using System.Linq; namespace DNS.Protocol { public class Request : IRequest { private static readonly Random RANDOM = new Random(); private IList<Question> questions; private Header header; private IList<IResourceRecord> additional; public static Request FromArray(byte[] message) { Header header = Header.FromArray(message); int offset = header.Size; if (header.Response || header.QuestionCount == 0 || header.AnswerRecordCount + header.AuthorityRecordCount > 0 || header.ResponseCode != ResponseCode.NoError) { throw new ArgumentException("Invalid request message"); } return new Request(header, Question.GetAllFromArray(message, offset, header.QuestionCount, out offset), ResourceRecordFactory.GetAllFromArray(message, offset, header.AdditionalRecordCount, out offset)); } public Request(Header header, IList<Question> questions, IList<IResourceRecord> additional) { this.header = header; this.questions = questions; this.additional = additional; } public Request() { this.questions = new List<Question>(); this.header = new Header(); this.additional = new List<IResourceRecord>(); this.header.OperationCode = OperationCode.Query; this.header.Response = false; this.header.Id = RANDOM.Next(UInt16.MaxValue); } public Request(IRequest request) { this.header = new Header(); this.questions = new List<Question>(request.Questions); this.additional = new List<IResourceRecord>(request.AdditionalRecords); this.header.Response = false; Id = request.Id; OperationCode = request.OperationCode; RecursionDesired = request.RecursionDesired; } public IList<Question> Questions { get { return questions; } } public IList<IResourceRecord> AdditionalRecords { get { return additional; } } public int Size { get { return header.Size + questions.Sum(q => q.Size) + additional.Sum(a => a.Size); } } public int Id { get { return header.Id; } set { header.Id = value; } } public OperationCode OperationCode { get { return header.OperationCode; } set { header.OperationCode = value; } } public bool RecursionDesired { get { return header.RecursionDesired; } set { header.RecursionDesired = value; } } public byte[] ToArray() { UpdateHeader(); ByteStream result = new ByteStream(Size); result .Append(header.ToArray()) .Append(questions.Select(q => q.ToArray())) .Append(additional.Select(a => a.ToArray())); return result.ToArray(); } public override string ToString() { UpdateHeader(); return ObjectStringifier.New(this) .Add("Header", header) .Add("Questions", "AdditionalRecords") .ToString(); } private void UpdateHeader() { header.QuestionCount = questions.Count; header.AdditionalRecordCount = additional.Count; } } }
28.589552
114
0.544505
[ "MIT" ]
ChickenSeller/Netch
Netch/3rd/DNS/Protocol/Request.cs
3,833
C#
using System; using System.Collections.Generic; using System.Text; using System.Windows.Forms; using System.IO; using netCommander.FileSystemEx; using System.Diagnostics; namespace netCommander { public class PanelCommandRunExe : PanelCommandBase { public PanelCommandRunExe() : base(Options.GetLiteral(Options.LANG_EXECUTE), Shortcut.CtrlR) { } protected override void internal_command_proc() { var e = new QueryPanelInfoEventArgs(); OnQueryCurrentPanel(e); if (e.FocusedIndex == -1) { return; } var dl = (DirectoryList)e.ItemCollection; if (dl.GetItemDisplayNameLong(e.FocusedIndex) == "..") { return; } //show dialog var psi = new ProcessStartInfo(); var file_name = dl[e.FocusedIndex].FullName; psi.FileName = file_name; var opts = Options.RunExeOptions; var dialog = new RunexeDialog(); dialog.Text = Options.GetLiteral(Options.LANG_EXECUTE); dialog.RunExeOptions = opts; dialog.textBoxArguments.Text = string.Empty; dialog.textBoxFilename.Text = dl[e.FocusedIndex].FileName; dialog.textBoxWorkingDirectory.Text = dl.DirectoryPath; if (psi.Verbs != null) { foreach (var verb in psi.Verbs) { dialog.comboBoxVerb.Items.Add(verb); } } if (dialog.ShowDialog() != DialogResult.OK) { return; } opts = dialog.RunExeOptions; Options.RunExeOptions = opts; psi.LoadUserProfile = (opts & RunExeOptions.LoadEnvironment) == RunExeOptions.LoadEnvironment; if ((opts & RunExeOptions.RunInConsole) == RunExeOptions.RunInConsole) { if (file_name.Contains(" ")) { file_name = '"' + file_name + '"'; } psi.FileName = "cmd"; psi.Arguments = "/K "+file_name; } else { psi.FileName = file_name; } if ((opts & RunExeOptions.UseRunas) == RunExeOptions.UseRunas) { var user = string.Empty; var pass = string.Empty; if (Messages.AskCredentials(Options.GetLiteral(Options.LANG_ACCOUNT), Options.GetLiteral(Options.LANG_EXECUTE) + " '" + file_name + "'", ref user, ref pass) == DialogResult.OK) { psi.UserName = user; var sec = new System.Security.SecureString(); foreach (var c in pass) { sec.AppendChar(c); } psi.Password = sec; } } psi.UseShellExecute = (opts & RunExeOptions.UseShellExecute) == RunExeOptions.UseShellExecute; psi.WorkingDirectory = dialog.textBoxWorkingDirectory.Text; psi.Verb = dialog.comboBoxVerb.Text; psi.Arguments = psi.Arguments + " " + dialog.textBoxArguments.Text; try { Process.Start(psi); } catch (Exception ex) { Messages.ShowException (ex, string.Format(Options.GetLiteral(Options.LANG_CANNOT_EXCUTE_0_1), psi.FileName, psi.Arguments)); } } } [Flags()] public enum RunExeOptions { None = 0, UseShellExecute = 0x1, RunInConsole = 0x2, UseRunas = 0x4, LoadEnvironment = 0x8, } }
31.072581
192
0.508175
[ "MIT" ]
Yomodo/netCommander
PanelCommands/PanelCommandRunExe.cs
3,855
C#
using System.Collections.Generic; namespace Basket.API.Entities { public class ShoppingCart { public string UserName { get; set; } public List<ShoppingCartItem> Items { get; set; } = new List<ShoppingCartItem>(); public ShoppingCart() { } public ShoppingCart(string userName) { UserName = userName; } public decimal TotalPrice { get { decimal totalprice = 0; foreach (var item in Items) { totalprice += item.Price * item.Quantity; } return totalprice; } } } }
21
89
0.478992
[ "MIT" ]
MarcinSiennicki/AspnetMicroservices
src/Services/Basket/Basket.API/Entities/ShoppingCart.cs
716
C#
using NeuralNetworkVisualizer.Preferences.Brushes; using NeuralNetworkVisualizer.Preferences.Pens; using NeuralNetworkVisualizer.Preferences.Text; using System; using Draw = System.Drawing; namespace NeuralNetworkVisualizer.Preferences { public class Preference : IDisposable { private LayerPreference _layers = new LayerPreference { Background = new SolidBrushPreference(Draw.Color.White), Title = new LayerTitlePreference() { Background = new GradientBrushPreference(Draw.Color.LightSteelBlue, Draw.Color.LightSkyBlue, 90), Font = new TextPreference { FontStyle = Draw.FontStyle.Bold }, Height = 20 }, Border = new SimplePen(Draw.Pens.Black), BorderSelected = new SimplePen(Draw.Pens.Orange), BackgroundSelected = new SolidBrushPreference(Draw.Color.WhiteSmoke) }; private NodePreference _inputs; private PerceptronPreference _perceptrons; private NodePreference _biases; private EdgePreference _edges; public LayerPreference Layers { get => _layers ?? (_layers = new LayerPreference()); set => _layers = value; } public NodePreference Inputs { get => _inputs ?? (_inputs = new NodePreference { Background = new SolidBrushPreference(Draw.Color.FromArgb(240, 255, 240)), BackgroundSelected = new SolidBrushPreference(Draw.Color.FromArgb(200, 215, 200)), Border = new SimplePen(new Draw.Pen(Draw.Color.FromArgb(216, 230, 173), 3f)), BorderSelected = new SimplePen(new Draw.Pen(Draw.Color.FromArgb(166, 180, 123), 3f)) }); set => _inputs = value; } public PerceptronPreference Perceptrons { get => _perceptrons ?? (_perceptrons = new PerceptronPreference { Background = new SolidBrushPreference(Draw.Color.Azure), BackgroundSelected = new SolidBrushPreference(Draw.Color.LightSteelBlue), Border = new SimplePen(new Draw.Pen(Draw.Color.LightBlue, 3f)), BorderSelected = new SimplePen(new Draw.Pen(Draw.Color.DeepSkyBlue, 3f)) }); set => _perceptrons = value; } public NodePreference Biases { get => _biases ?? (_biases = new NodePreference { Background = new SolidBrushPreference(Draw.Color.FromArgb(255, 240, 255)), BackgroundSelected = new SolidBrushPreference(Draw.Color.FromArgb(215, 200, 215)), Border = new SimplePen(new Draw.Pen(Draw.Color.LightPink, 3f)), BorderSelected = new SimplePen(new Draw.Pen(Draw.Color.Pink, 3f)) }); set => _biases = value; } public EdgePreference Edges { get => _edges ?? (_edges = new EdgePreference()); set => _edges = value; } public byte NodeMargins { get; set; } = 5; public RenderQuality Quality { get; set; } = RenderQuality.Medium; public bool AsyncRedrawOnResize { get; set; } = false; public void Dispose() { Destroy.Disposable(ref _layers); Destroy.Disposable(ref _inputs); Destroy.Disposable(ref _perceptrons); Destroy.Disposable(ref _biases); } } }
39.918605
224
0.609962
[ "MIT" ]
sebastiantramontana/NeuralNetworkVisualizer
NeuralNetworkViewer/Preferences/Preference.cs
3,435
C#
// <auto-generated> // Generated by the protocol buffer compiler. DO NOT EDIT! // source: google/cloud/recommendationengine/v1beta1/user_event.proto // </auto-generated> #pragma warning disable 1591, 0612, 3021 #region Designer generated code using pb = global::Google.Protobuf; using pbc = global::Google.Protobuf.Collections; using pbr = global::Google.Protobuf.Reflection; using scg = global::System.Collections.Generic; namespace Google.Cloud.RecommendationEngine.V1Beta1 { /// <summary>Holder for reflection information generated from google/cloud/recommendationengine/v1beta1/user_event.proto</summary> public static partial class UserEventReflection { #region Descriptor /// <summary>File descriptor for google/cloud/recommendationengine/v1beta1/user_event.proto</summary> public static pbr::FileDescriptor Descriptor { get { return descriptor; } } private static pbr::FileDescriptor descriptor; static UserEventReflection() { byte[] descriptorData = global::System.Convert.FromBase64String( string.Concat( "Cjpnb29nbGUvY2xvdWQvcmVjb21tZW5kYXRpb25lbmdpbmUvdjFiZXRhMS91", "c2VyX2V2ZW50LnByb3RvEilnb29nbGUuY2xvdWQucmVjb21tZW5kYXRpb25l", "bmdpbmUudjFiZXRhMRofZ29vZ2xlL2FwaS9maWVsZF9iZWhhdmlvci5wcm90", "bxo3Z29vZ2xlL2Nsb3VkL3JlY29tbWVuZGF0aW9uZW5naW5lL3YxYmV0YTEv", "Y2F0YWxvZy5wcm90bxo2Z29vZ2xlL2Nsb3VkL3JlY29tbWVuZGF0aW9uZW5n", "aW5lL3YxYmV0YTEvY29tbW9uLnByb3RvGh9nb29nbGUvcHJvdG9idWYvdGlt", "ZXN0YW1wLnByb3RvGhxnb29nbGUvYXBpL2Fubm90YXRpb25zLnByb3RvIpIE", "CglVc2VyRXZlbnQSFwoKZXZlbnRfdHlwZRgBIAEoCUID4EECEksKCXVzZXJf", "aW5mbxgCIAEoCzIzLmdvb2dsZS5jbG91ZC5yZWNvbW1lbmRhdGlvbmVuZ2lu", "ZS52MWJldGExLlVzZXJJbmZvQgPgQQISUQoMZXZlbnRfZGV0YWlsGAMgASgL", "MjYuZ29vZ2xlLmNsb3VkLnJlY29tbWVuZGF0aW9uZW5naW5lLnYxYmV0YTEu", "RXZlbnREZXRhaWxCA+BBARJgChRwcm9kdWN0X2V2ZW50X2RldGFpbBgEIAEo", "CzI9Lmdvb2dsZS5jbG91ZC5yZWNvbW1lbmRhdGlvbmVuZ2luZS52MWJldGEx", "LlByb2R1Y3RFdmVudERldGFpbEID4EEBEjMKCmV2ZW50X3RpbWUYBSABKAsy", "Gi5nb29nbGUucHJvdG9idWYuVGltZXN0YW1wQgPgQQESWwoMZXZlbnRfc291", "cmNlGAYgASgOMkAuZ29vZ2xlLmNsb3VkLnJlY29tbWVuZGF0aW9uZW5naW5l", "LnYxYmV0YTEuVXNlckV2ZW50LkV2ZW50U291cmNlQgPgQQEiWAoLRXZlbnRT", "b3VyY2USHAoYRVZFTlRfU09VUkNFX1VOU1BFQ0lGSUVEEAASCgoGQVVUT01M", "EAESDQoJRUNPTU1FUkNFEAISEAoMQkFUQ0hfVVBMT0FEEAMijQEKCFVzZXJJ", "bmZvEhcKCnZpc2l0b3JfaWQYASABKAlCA+BBAhIUCgd1c2VyX2lkGAIgASgJ", "QgPgQQESFwoKaXBfYWRkcmVzcxgDIAEoCUID4EEBEhcKCnVzZXJfYWdlbnQY", "BCABKAlCA+BBARIgChNkaXJlY3RfdXNlcl9yZXF1ZXN0GAUgASgIQgPgQQEi", "6wEKC0V2ZW50RGV0YWlsEhAKA3VyaRgBIAEoCUID4EEBEhkKDHJlZmVycmVy", "X3VyaRgGIAEoCUID4EEBEhkKDHBhZ2Vfdmlld19pZBgCIAEoCUID4EEBEhsK", "DmV4cGVyaW1lbnRfaWRzGAMgAygJQgPgQQESIQoUcmVjb21tZW5kYXRpb25f", "dG9rZW4YBCABKAlCA+BBARJUChBldmVudF9hdHRyaWJ1dGVzGAUgASgLMjUu", "Z29vZ2xlLmNsb3VkLnJlY29tbWVuZGF0aW9uZW5naW5lLnYxYmV0YTEuRmVh", "dHVyZU1hcEID4EEBIuoCChJQcm9kdWN0RXZlbnREZXRhaWwSFAoMc2VhcmNo", "X3F1ZXJ5GAEgASgJEmEKD3BhZ2VfY2F0ZWdvcmllcxgCIAMoCzJILmdvb2ds", "ZS5jbG91ZC5yZWNvbW1lbmRhdGlvbmVuZ2luZS52MWJldGExLkNhdGFsb2dJ", "dGVtLkNhdGVnb3J5SGllcmFyY2h5ElEKD3Byb2R1Y3RfZGV0YWlscxgDIAMo", "CzI4Lmdvb2dsZS5jbG91ZC5yZWNvbW1lbmRhdGlvbmVuZ2luZS52MWJldGEx", "LlByb2R1Y3REZXRhaWwSDwoHbGlzdF9pZBgEIAEoCRIUCgdjYXJ0X2lkGAUg", "ASgJQgPgQQESYQoUcHVyY2hhc2VfdHJhbnNhY3Rpb24YBiABKAsyPi5nb29n", "bGUuY2xvdWQucmVjb21tZW5kYXRpb25lbmdpbmUudjFiZXRhMS5QdXJjaGFz", "ZVRyYW5zYWN0aW9uQgPgQQEi8gIKE1B1cmNoYXNlVHJhbnNhY3Rpb24SDwoC", "aWQYASABKAlCA+BBARIUCgdyZXZlbnVlGAIgASgCQgPgQQISXQoFdGF4ZXMY", "AyADKAsySS5nb29nbGUuY2xvdWQucmVjb21tZW5kYXRpb25lbmdpbmUudjFi", "ZXRhMS5QdXJjaGFzZVRyYW5zYWN0aW9uLlRheGVzRW50cnlCA+BBARJdCgVj", "b3N0cxgEIAMoCzJJLmdvb2dsZS5jbG91ZC5yZWNvbW1lbmRhdGlvbmVuZ2lu", "ZS52MWJldGExLlB1cmNoYXNlVHJhbnNhY3Rpb24uQ29zdHNFbnRyeUID4EEB", "EhoKDWN1cnJlbmN5X2NvZGUYBiABKAlCA+BBAhosCgpUYXhlc0VudHJ5EgsK", "A2tleRgBIAEoCRINCgV2YWx1ZRgCIAEoAjoCOAEaLAoKQ29zdHNFbnRyeRIL", "CgNrZXkYASABKAkSDQoFdmFsdWUYAiABKAI6AjgBIuYCCg1Qcm9kdWN0RGV0", "YWlsEg8KAmlkGAEgASgJQgPgQQISGgoNY3VycmVuY3lfY29kZRgCIAEoCUID", "4EEBEhsKDm9yaWdpbmFsX3ByaWNlGAMgASgCQgPgQQESGgoNZGlzcGxheV9w", "cmljZRgEIAEoAkID4EEBEmIKC3N0b2NrX3N0YXRlGAUgASgOMkguZ29vZ2xl", "LmNsb3VkLnJlY29tbWVuZGF0aW9uZW5naW5lLnYxYmV0YTEuUHJvZHVjdENh", "dGFsb2dJdGVtLlN0b2NrU3RhdGVCA+BBARIVCghxdWFudGl0eRgGIAEoBUID", "4EEBEh8KEmF2YWlsYWJsZV9xdWFudGl0eRgHIAEoBUID4EEBElMKD2l0ZW1f", "YXR0cmlidXRlcxgIIAEoCzI1Lmdvb2dsZS5jbG91ZC5yZWNvbW1lbmRhdGlv", "bmVuZ2luZS52MWJldGExLkZlYXR1cmVNYXBCA+BBAUKfAgotY29tLmdvb2ds", "ZS5jbG91ZC5yZWNvbW1lbmRhdGlvbmVuZ2luZS52MWJldGExUAFaXWdvb2ds", "ZS5nb2xhbmcub3JnL2dlbnByb3RvL2dvb2dsZWFwaXMvY2xvdWQvcmVjb21t", "ZW5kYXRpb25lbmdpbmUvdjFiZXRhMTtyZWNvbW1lbmRhdGlvbmVuZ2luZaIC", "BVJFQ0FJqgIpR29vZ2xlLkNsb3VkLlJlY29tbWVuZGF0aW9uRW5naW5lLlYx", "QmV0YTHKAilHb29nbGVcQ2xvdWRcUmVjb21tZW5kYXRpb25FbmdpbmVcVjFi", "ZXRhMeoCLEdvb2dsZTo6Q2xvdWQ6OlJlY29tbWVuZGF0aW9uRW5naW5lOjpW", "MWJldGExYgZwcm90bzM=")); descriptor = pbr::FileDescriptor.FromGeneratedCode(descriptorData, new pbr::FileDescriptor[] { global::Google.Api.FieldBehaviorReflection.Descriptor, global::Google.Cloud.RecommendationEngine.V1Beta1.CatalogReflection.Descriptor, global::Google.Cloud.RecommendationEngine.V1Beta1.CommonReflection.Descriptor, global::Google.Protobuf.WellKnownTypes.TimestampReflection.Descriptor, global::Google.Api.AnnotationsReflection.Descriptor, }, new pbr::GeneratedClrTypeInfo(null, null, new pbr::GeneratedClrTypeInfo[] { new pbr::GeneratedClrTypeInfo(typeof(global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent), global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Parser, new[]{ "EventType", "UserInfo", "EventDetail", "ProductEventDetail", "EventTime", "EventSource" }, null, new[]{ typeof(global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource) }, null, null), new pbr::GeneratedClrTypeInfo(typeof(global::Google.Cloud.RecommendationEngine.V1Beta1.UserInfo), global::Google.Cloud.RecommendationEngine.V1Beta1.UserInfo.Parser, new[]{ "VisitorId", "UserId", "IpAddress", "UserAgent", "DirectUserRequest" }, null, null, null, null), new pbr::GeneratedClrTypeInfo(typeof(global::Google.Cloud.RecommendationEngine.V1Beta1.EventDetail), global::Google.Cloud.RecommendationEngine.V1Beta1.EventDetail.Parser, new[]{ "Uri", "ReferrerUri", "PageViewId", "ExperimentIds", "RecommendationToken", "EventAttributes" }, null, null, null, null), new pbr::GeneratedClrTypeInfo(typeof(global::Google.Cloud.RecommendationEngine.V1Beta1.ProductEventDetail), global::Google.Cloud.RecommendationEngine.V1Beta1.ProductEventDetail.Parser, new[]{ "SearchQuery", "PageCategories", "ProductDetails", "ListId", "CartId", "PurchaseTransaction" }, null, null, null, null), new pbr::GeneratedClrTypeInfo(typeof(global::Google.Cloud.RecommendationEngine.V1Beta1.PurchaseTransaction), global::Google.Cloud.RecommendationEngine.V1Beta1.PurchaseTransaction.Parser, new[]{ "Id", "Revenue", "Taxes", "Costs", "CurrencyCode" }, null, null, null, new pbr::GeneratedClrTypeInfo[] { null, null, }), new pbr::GeneratedClrTypeInfo(typeof(global::Google.Cloud.RecommendationEngine.V1Beta1.ProductDetail), global::Google.Cloud.RecommendationEngine.V1Beta1.ProductDetail.Parser, new[]{ "Id", "CurrencyCode", "OriginalPrice", "DisplayPrice", "StockState", "Quantity", "AvailableQuantity", "ItemAttributes" }, null, null, null, null) })); } #endregion } #region Messages /// <summary> /// UserEvent captures all metadata information recommendation engine needs to /// know about how end users interact with customers' website. /// </summary> public sealed partial class UserEvent : pb::IMessage<UserEvent> #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE , pb::IBufferMessage #endif { private static readonly pb::MessageParser<UserEvent> _parser = new pb::MessageParser<UserEvent>(() => new UserEvent()); private pb::UnknownFieldSet _unknownFields; [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pb::MessageParser<UserEvent> Parser { get { return _parser; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pbr::MessageDescriptor Descriptor { get { return global::Google.Cloud.RecommendationEngine.V1Beta1.UserEventReflection.Descriptor.MessageTypes[0]; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] pbr::MessageDescriptor pb::IMessage.Descriptor { get { return Descriptor; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public UserEvent() { OnConstruction(); } partial void OnConstruction(); [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public UserEvent(UserEvent other) : this() { eventType_ = other.eventType_; userInfo_ = other.userInfo_ != null ? other.userInfo_.Clone() : null; eventDetail_ = other.eventDetail_ != null ? other.eventDetail_.Clone() : null; productEventDetail_ = other.productEventDetail_ != null ? other.productEventDetail_.Clone() : null; eventTime_ = other.eventTime_ != null ? other.eventTime_.Clone() : null; eventSource_ = other.eventSource_; _unknownFields = pb::UnknownFieldSet.Clone(other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public UserEvent Clone() { return new UserEvent(this); } /// <summary>Field number for the "event_type" field.</summary> public const int EventTypeFieldNumber = 1; private string eventType_ = ""; /// <summary> /// Required. User event type. Allowed values are: /// /// * `add-to-cart` Products being added to cart. /// * `add-to-list` Items being added to a list (shopping list, favorites /// etc). /// * `category-page-view` Special pages such as sale or promotion pages /// viewed. /// * `checkout-start` User starting a checkout process. /// * `detail-page-view` Products detail page viewed. /// * `home-page-view` Homepage viewed. /// * `page-visit` Generic page visits not included in the event types above. /// * `purchase-complete` User finishing a purchase. /// * `refund` Purchased items being refunded or returned. /// * `remove-from-cart` Products being removed from cart. /// * `remove-from-list` Items being removed from a list. /// * `search` Product search. /// * `shopping-cart-page-view` User viewing a shopping cart. /// * `impression` List of items displayed. Used by Google Tag Manager. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string EventType { get { return eventType_; } set { eventType_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "user_info" field.</summary> public const int UserInfoFieldNumber = 2; private global::Google.Cloud.RecommendationEngine.V1Beta1.UserInfo userInfo_; /// <summary> /// Required. User information. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Cloud.RecommendationEngine.V1Beta1.UserInfo UserInfo { get { return userInfo_; } set { userInfo_ = value; } } /// <summary>Field number for the "event_detail" field.</summary> public const int EventDetailFieldNumber = 3; private global::Google.Cloud.RecommendationEngine.V1Beta1.EventDetail eventDetail_; /// <summary> /// Optional. User event detailed information common across different /// recommendation types. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Cloud.RecommendationEngine.V1Beta1.EventDetail EventDetail { get { return eventDetail_; } set { eventDetail_ = value; } } /// <summary>Field number for the "product_event_detail" field.</summary> public const int ProductEventDetailFieldNumber = 4; private global::Google.Cloud.RecommendationEngine.V1Beta1.ProductEventDetail productEventDetail_; /// <summary> /// Optional. Retail product specific user event metadata. /// /// This field is required for the following event types: /// /// * `add-to-cart` /// * `add-to-list` /// * `category-page-view` /// * `checkout-start` /// * `detail-page-view` /// * `purchase-complete` /// * `refund` /// * `remove-from-cart` /// * `remove-from-list` /// * `search` /// /// This field is optional for the following event types: /// /// * `page-visit` /// * `shopping-cart-page-view` - note that 'product_event_detail' should be /// set for this unless the shopping cart is empty. /// /// This field is not allowed for the following event types: /// /// * `home-page-view` /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Cloud.RecommendationEngine.V1Beta1.ProductEventDetail ProductEventDetail { get { return productEventDetail_; } set { productEventDetail_ = value; } } /// <summary>Field number for the "event_time" field.</summary> public const int EventTimeFieldNumber = 5; private global::Google.Protobuf.WellKnownTypes.Timestamp eventTime_; /// <summary> /// Optional. Only required for ImportUserEvents method. Timestamp of user /// event created. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Protobuf.WellKnownTypes.Timestamp EventTime { get { return eventTime_; } set { eventTime_ = value; } } /// <summary>Field number for the "event_source" field.</summary> public const int EventSourceFieldNumber = 6; private global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource eventSource_ = global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource.Unspecified; /// <summary> /// Optional. This field should *not* be set when using JavaScript pixel /// or the Recommendations AI Tag. Defaults to `EVENT_SOURCE_UNSPECIFIED`. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource EventSource { get { return eventSource_; } set { eventSource_ = value; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override bool Equals(object other) { return Equals(other as UserEvent); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public bool Equals(UserEvent other) { if (ReferenceEquals(other, null)) { return false; } if (ReferenceEquals(other, this)) { return true; } if (EventType != other.EventType) return false; if (!object.Equals(UserInfo, other.UserInfo)) return false; if (!object.Equals(EventDetail, other.EventDetail)) return false; if (!object.Equals(ProductEventDetail, other.ProductEventDetail)) return false; if (!object.Equals(EventTime, other.EventTime)) return false; if (EventSource != other.EventSource) return false; return Equals(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override int GetHashCode() { int hash = 1; if (EventType.Length != 0) hash ^= EventType.GetHashCode(); if (userInfo_ != null) hash ^= UserInfo.GetHashCode(); if (eventDetail_ != null) hash ^= EventDetail.GetHashCode(); if (productEventDetail_ != null) hash ^= ProductEventDetail.GetHashCode(); if (eventTime_ != null) hash ^= EventTime.GetHashCode(); if (EventSource != global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource.Unspecified) hash ^= EventSource.GetHashCode(); if (_unknownFields != null) { hash ^= _unknownFields.GetHashCode(); } return hash; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override string ToString() { return pb::JsonFormatter.ToDiagnosticString(this); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void WriteTo(pb::CodedOutputStream output) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE output.WriteRawMessage(this); #else if (EventType.Length != 0) { output.WriteRawTag(10); output.WriteString(EventType); } if (userInfo_ != null) { output.WriteRawTag(18); output.WriteMessage(UserInfo); } if (eventDetail_ != null) { output.WriteRawTag(26); output.WriteMessage(EventDetail); } if (productEventDetail_ != null) { output.WriteRawTag(34); output.WriteMessage(ProductEventDetail); } if (eventTime_ != null) { output.WriteRawTag(42); output.WriteMessage(EventTime); } if (EventSource != global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource.Unspecified) { output.WriteRawTag(48); output.WriteEnum((int) EventSource); } if (_unknownFields != null) { _unknownFields.WriteTo(output); } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalWriteTo(ref pb::WriteContext output) { if (EventType.Length != 0) { output.WriteRawTag(10); output.WriteString(EventType); } if (userInfo_ != null) { output.WriteRawTag(18); output.WriteMessage(UserInfo); } if (eventDetail_ != null) { output.WriteRawTag(26); output.WriteMessage(EventDetail); } if (productEventDetail_ != null) { output.WriteRawTag(34); output.WriteMessage(ProductEventDetail); } if (eventTime_ != null) { output.WriteRawTag(42); output.WriteMessage(EventTime); } if (EventSource != global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource.Unspecified) { output.WriteRawTag(48); output.WriteEnum((int) EventSource); } if (_unknownFields != null) { _unknownFields.WriteTo(ref output); } } #endif [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public int CalculateSize() { int size = 0; if (EventType.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(EventType); } if (userInfo_ != null) { size += 1 + pb::CodedOutputStream.ComputeMessageSize(UserInfo); } if (eventDetail_ != null) { size += 1 + pb::CodedOutputStream.ComputeMessageSize(EventDetail); } if (productEventDetail_ != null) { size += 1 + pb::CodedOutputStream.ComputeMessageSize(ProductEventDetail); } if (eventTime_ != null) { size += 1 + pb::CodedOutputStream.ComputeMessageSize(EventTime); } if (EventSource != global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource.Unspecified) { size += 1 + pb::CodedOutputStream.ComputeEnumSize((int) EventSource); } if (_unknownFields != null) { size += _unknownFields.CalculateSize(); } return size; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(UserEvent other) { if (other == null) { return; } if (other.EventType.Length != 0) { EventType = other.EventType; } if (other.userInfo_ != null) { if (userInfo_ == null) { UserInfo = new global::Google.Cloud.RecommendationEngine.V1Beta1.UserInfo(); } UserInfo.MergeFrom(other.UserInfo); } if (other.eventDetail_ != null) { if (eventDetail_ == null) { EventDetail = new global::Google.Cloud.RecommendationEngine.V1Beta1.EventDetail(); } EventDetail.MergeFrom(other.EventDetail); } if (other.productEventDetail_ != null) { if (productEventDetail_ == null) { ProductEventDetail = new global::Google.Cloud.RecommendationEngine.V1Beta1.ProductEventDetail(); } ProductEventDetail.MergeFrom(other.ProductEventDetail); } if (other.eventTime_ != null) { if (eventTime_ == null) { EventTime = new global::Google.Protobuf.WellKnownTypes.Timestamp(); } EventTime.MergeFrom(other.EventTime); } if (other.EventSource != global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource.Unspecified) { EventSource = other.EventSource; } _unknownFields = pb::UnknownFieldSet.MergeFrom(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(pb::CodedInputStream input) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE input.ReadRawMessage(this); #else uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, input); break; case 10: { EventType = input.ReadString(); break; } case 18: { if (userInfo_ == null) { UserInfo = new global::Google.Cloud.RecommendationEngine.V1Beta1.UserInfo(); } input.ReadMessage(UserInfo); break; } case 26: { if (eventDetail_ == null) { EventDetail = new global::Google.Cloud.RecommendationEngine.V1Beta1.EventDetail(); } input.ReadMessage(EventDetail); break; } case 34: { if (productEventDetail_ == null) { ProductEventDetail = new global::Google.Cloud.RecommendationEngine.V1Beta1.ProductEventDetail(); } input.ReadMessage(ProductEventDetail); break; } case 42: { if (eventTime_ == null) { EventTime = new global::Google.Protobuf.WellKnownTypes.Timestamp(); } input.ReadMessage(EventTime); break; } case 48: { EventSource = (global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource) input.ReadEnum(); break; } } } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalMergeFrom(ref pb::ParseContext input) { uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, ref input); break; case 10: { EventType = input.ReadString(); break; } case 18: { if (userInfo_ == null) { UserInfo = new global::Google.Cloud.RecommendationEngine.V1Beta1.UserInfo(); } input.ReadMessage(UserInfo); break; } case 26: { if (eventDetail_ == null) { EventDetail = new global::Google.Cloud.RecommendationEngine.V1Beta1.EventDetail(); } input.ReadMessage(EventDetail); break; } case 34: { if (productEventDetail_ == null) { ProductEventDetail = new global::Google.Cloud.RecommendationEngine.V1Beta1.ProductEventDetail(); } input.ReadMessage(ProductEventDetail); break; } case 42: { if (eventTime_ == null) { EventTime = new global::Google.Protobuf.WellKnownTypes.Timestamp(); } input.ReadMessage(EventTime); break; } case 48: { EventSource = (global::Google.Cloud.RecommendationEngine.V1Beta1.UserEvent.Types.EventSource) input.ReadEnum(); break; } } } } #endif #region Nested types /// <summary>Container for nested types declared in the UserEvent message type.</summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static partial class Types { /// <summary> /// User event source. /// </summary> public enum EventSource { /// <summary> /// Unspecified event source. /// </summary> [pbr::OriginalName("EVENT_SOURCE_UNSPECIFIED")] Unspecified = 0, /// <summary> /// The event is ingested via a javascript pixel or Recommendations AI Tag /// through automl datalayer or JS Macros. /// </summary> [pbr::OriginalName("AUTOML")] Automl = 1, /// <summary> /// The event is ingested via Recommendations AI Tag through Enhanced /// Ecommerce datalayer. /// </summary> [pbr::OriginalName("ECOMMERCE")] Ecommerce = 2, /// <summary> /// The event is ingested via Import user events API. /// </summary> [pbr::OriginalName("BATCH_UPLOAD")] BatchUpload = 3, } } #endregion } /// <summary> /// Information of end users. /// </summary> public sealed partial class UserInfo : pb::IMessage<UserInfo> #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE , pb::IBufferMessage #endif { private static readonly pb::MessageParser<UserInfo> _parser = new pb::MessageParser<UserInfo>(() => new UserInfo()); private pb::UnknownFieldSet _unknownFields; [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pb::MessageParser<UserInfo> Parser { get { return _parser; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pbr::MessageDescriptor Descriptor { get { return global::Google.Cloud.RecommendationEngine.V1Beta1.UserEventReflection.Descriptor.MessageTypes[1]; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] pbr::MessageDescriptor pb::IMessage.Descriptor { get { return Descriptor; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public UserInfo() { OnConstruction(); } partial void OnConstruction(); [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public UserInfo(UserInfo other) : this() { visitorId_ = other.visitorId_; userId_ = other.userId_; ipAddress_ = other.ipAddress_; userAgent_ = other.userAgent_; directUserRequest_ = other.directUserRequest_; _unknownFields = pb::UnknownFieldSet.Clone(other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public UserInfo Clone() { return new UserInfo(this); } /// <summary>Field number for the "visitor_id" field.</summary> public const int VisitorIdFieldNumber = 1; private string visitorId_ = ""; /// <summary> /// Required. A unique identifier for tracking visitors with a length limit of /// 128 bytes. /// /// For example, this could be implemented with a http cookie, which should be /// able to uniquely identify a visitor on a single device. This unique /// identifier should not change if the visitor log in/out of the website. /// Maximum length 128 bytes. Cannot be empty. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string VisitorId { get { return visitorId_; } set { visitorId_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "user_id" field.</summary> public const int UserIdFieldNumber = 2; private string userId_ = ""; /// <summary> /// Optional. Unique identifier for logged-in user with a length limit of 128 /// bytes. Required only for logged-in users. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string UserId { get { return userId_; } set { userId_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "ip_address" field.</summary> public const int IpAddressFieldNumber = 3; private string ipAddress_ = ""; /// <summary> /// Optional. IP address of the user. This could be either IPv4 (e.g. 104.133.9.80) or /// IPv6 (e.g. 2001:0db8:85a3:0000:0000:8a2e:0370:7334). This should *not* be /// set when using the javascript pixel or if `direct_user_request` is set. /// Used to extract location information for personalization. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string IpAddress { get { return ipAddress_; } set { ipAddress_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "user_agent" field.</summary> public const int UserAgentFieldNumber = 4; private string userAgent_ = ""; /// <summary> /// Optional. User agent as included in the HTTP header. UTF-8 encoded string /// with a length limit of 1 KiB. /// /// This should *not* be set when using the JavaScript pixel or if /// `directUserRequest` is set. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string UserAgent { get { return userAgent_; } set { userAgent_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "direct_user_request" field.</summary> public const int DirectUserRequestFieldNumber = 5; private bool directUserRequest_; /// <summary> /// Optional. Indicates if the request is made directly from the end user /// in which case the user_agent and ip_address fields can be populated /// from the HTTP request. This should *not* be set when using the javascript /// pixel. This flag should be set only if the API request is made directly /// from the end user such as a mobile app (and not if a gateway or a server is /// processing and pushing the user events). /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public bool DirectUserRequest { get { return directUserRequest_; } set { directUserRequest_ = value; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override bool Equals(object other) { return Equals(other as UserInfo); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public bool Equals(UserInfo other) { if (ReferenceEquals(other, null)) { return false; } if (ReferenceEquals(other, this)) { return true; } if (VisitorId != other.VisitorId) return false; if (UserId != other.UserId) return false; if (IpAddress != other.IpAddress) return false; if (UserAgent != other.UserAgent) return false; if (DirectUserRequest != other.DirectUserRequest) return false; return Equals(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override int GetHashCode() { int hash = 1; if (VisitorId.Length != 0) hash ^= VisitorId.GetHashCode(); if (UserId.Length != 0) hash ^= UserId.GetHashCode(); if (IpAddress.Length != 0) hash ^= IpAddress.GetHashCode(); if (UserAgent.Length != 0) hash ^= UserAgent.GetHashCode(); if (DirectUserRequest != false) hash ^= DirectUserRequest.GetHashCode(); if (_unknownFields != null) { hash ^= _unknownFields.GetHashCode(); } return hash; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override string ToString() { return pb::JsonFormatter.ToDiagnosticString(this); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void WriteTo(pb::CodedOutputStream output) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE output.WriteRawMessage(this); #else if (VisitorId.Length != 0) { output.WriteRawTag(10); output.WriteString(VisitorId); } if (UserId.Length != 0) { output.WriteRawTag(18); output.WriteString(UserId); } if (IpAddress.Length != 0) { output.WriteRawTag(26); output.WriteString(IpAddress); } if (UserAgent.Length != 0) { output.WriteRawTag(34); output.WriteString(UserAgent); } if (DirectUserRequest != false) { output.WriteRawTag(40); output.WriteBool(DirectUserRequest); } if (_unknownFields != null) { _unknownFields.WriteTo(output); } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalWriteTo(ref pb::WriteContext output) { if (VisitorId.Length != 0) { output.WriteRawTag(10); output.WriteString(VisitorId); } if (UserId.Length != 0) { output.WriteRawTag(18); output.WriteString(UserId); } if (IpAddress.Length != 0) { output.WriteRawTag(26); output.WriteString(IpAddress); } if (UserAgent.Length != 0) { output.WriteRawTag(34); output.WriteString(UserAgent); } if (DirectUserRequest != false) { output.WriteRawTag(40); output.WriteBool(DirectUserRequest); } if (_unknownFields != null) { _unknownFields.WriteTo(ref output); } } #endif [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public int CalculateSize() { int size = 0; if (VisitorId.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(VisitorId); } if (UserId.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(UserId); } if (IpAddress.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(IpAddress); } if (UserAgent.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(UserAgent); } if (DirectUserRequest != false) { size += 1 + 1; } if (_unknownFields != null) { size += _unknownFields.CalculateSize(); } return size; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(UserInfo other) { if (other == null) { return; } if (other.VisitorId.Length != 0) { VisitorId = other.VisitorId; } if (other.UserId.Length != 0) { UserId = other.UserId; } if (other.IpAddress.Length != 0) { IpAddress = other.IpAddress; } if (other.UserAgent.Length != 0) { UserAgent = other.UserAgent; } if (other.DirectUserRequest != false) { DirectUserRequest = other.DirectUserRequest; } _unknownFields = pb::UnknownFieldSet.MergeFrom(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(pb::CodedInputStream input) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE input.ReadRawMessage(this); #else uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, input); break; case 10: { VisitorId = input.ReadString(); break; } case 18: { UserId = input.ReadString(); break; } case 26: { IpAddress = input.ReadString(); break; } case 34: { UserAgent = input.ReadString(); break; } case 40: { DirectUserRequest = input.ReadBool(); break; } } } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalMergeFrom(ref pb::ParseContext input) { uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, ref input); break; case 10: { VisitorId = input.ReadString(); break; } case 18: { UserId = input.ReadString(); break; } case 26: { IpAddress = input.ReadString(); break; } case 34: { UserAgent = input.ReadString(); break; } case 40: { DirectUserRequest = input.ReadBool(); break; } } } } #endif } /// <summary> /// User event details shared by all recommendation types. /// </summary> public sealed partial class EventDetail : pb::IMessage<EventDetail> #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE , pb::IBufferMessage #endif { private static readonly pb::MessageParser<EventDetail> _parser = new pb::MessageParser<EventDetail>(() => new EventDetail()); private pb::UnknownFieldSet _unknownFields; [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pb::MessageParser<EventDetail> Parser { get { return _parser; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pbr::MessageDescriptor Descriptor { get { return global::Google.Cloud.RecommendationEngine.V1Beta1.UserEventReflection.Descriptor.MessageTypes[2]; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] pbr::MessageDescriptor pb::IMessage.Descriptor { get { return Descriptor; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public EventDetail() { OnConstruction(); } partial void OnConstruction(); [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public EventDetail(EventDetail other) : this() { uri_ = other.uri_; referrerUri_ = other.referrerUri_; pageViewId_ = other.pageViewId_; experimentIds_ = other.experimentIds_.Clone(); recommendationToken_ = other.recommendationToken_; eventAttributes_ = other.eventAttributes_ != null ? other.eventAttributes_.Clone() : null; _unknownFields = pb::UnknownFieldSet.Clone(other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public EventDetail Clone() { return new EventDetail(this); } /// <summary>Field number for the "uri" field.</summary> public const int UriFieldNumber = 1; private string uri_ = ""; /// <summary> /// Optional. Complete url (window.location.href) of the user's current page. /// When using the JavaScript pixel, this value is filled in automatically. /// Maximum length 5KB. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string Uri { get { return uri_; } set { uri_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "referrer_uri" field.</summary> public const int ReferrerUriFieldNumber = 6; private string referrerUri_ = ""; /// <summary> /// Optional. The referrer url of the current page. When using /// the JavaScript pixel, this value is filled in automatically. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string ReferrerUri { get { return referrerUri_; } set { referrerUri_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "page_view_id" field.</summary> public const int PageViewIdFieldNumber = 2; private string pageViewId_ = ""; /// <summary> /// Optional. A unique id of a web page view. /// This should be kept the same for all user events triggered from the same /// pageview. For example, an item detail page view could trigger multiple /// events as the user is browsing the page. /// The `pageViewId` property should be kept the same for all these events so /// that they can be grouped together properly. This `pageViewId` will be /// automatically generated if using the JavaScript pixel. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string PageViewId { get { return pageViewId_; } set { pageViewId_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "experiment_ids" field.</summary> public const int ExperimentIdsFieldNumber = 3; private static readonly pb::FieldCodec<string> _repeated_experimentIds_codec = pb::FieldCodec.ForString(26); private readonly pbc::RepeatedField<string> experimentIds_ = new pbc::RepeatedField<string>(); /// <summary> /// Optional. A list of identifiers for the independent experiment groups /// this user event belongs to. This is used to distinguish between user events /// associated with different experiment setups (e.g. using Recommendation /// Engine system, using different recommendation models). /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public pbc::RepeatedField<string> ExperimentIds { get { return experimentIds_; } } /// <summary>Field number for the "recommendation_token" field.</summary> public const int RecommendationTokenFieldNumber = 4; private string recommendationToken_ = ""; /// <summary> /// Optional. Recommendation token included in the recommendation prediction /// response. /// /// This field enables accurate attribution of recommendation model /// performance. /// /// This token enables us to accurately attribute page view or purchase back to /// the event and the particular predict response containing this /// clicked/purchased item. If user clicks on product K in the recommendation /// results, pass the `PredictResponse.recommendationToken` property as a url /// parameter to product K's page. When recording events on product K's page, /// log the PredictResponse.recommendation_token to this field. /// /// Optional, but highly encouraged for user events that are the result of a /// recommendation prediction query. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string RecommendationToken { get { return recommendationToken_; } set { recommendationToken_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "event_attributes" field.</summary> public const int EventAttributesFieldNumber = 5; private global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap eventAttributes_; /// <summary> /// Optional. Extra user event features to include in the recommendation /// model. /// /// For product recommendation, an example of extra user information is /// traffic_channel, i.e. how user arrives at the site. Users can arrive /// at the site by coming to the site directly, or coming through Google /// search, and etc. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap EventAttributes { get { return eventAttributes_; } set { eventAttributes_ = value; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override bool Equals(object other) { return Equals(other as EventDetail); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public bool Equals(EventDetail other) { if (ReferenceEquals(other, null)) { return false; } if (ReferenceEquals(other, this)) { return true; } if (Uri != other.Uri) return false; if (ReferrerUri != other.ReferrerUri) return false; if (PageViewId != other.PageViewId) return false; if(!experimentIds_.Equals(other.experimentIds_)) return false; if (RecommendationToken != other.RecommendationToken) return false; if (!object.Equals(EventAttributes, other.EventAttributes)) return false; return Equals(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override int GetHashCode() { int hash = 1; if (Uri.Length != 0) hash ^= Uri.GetHashCode(); if (ReferrerUri.Length != 0) hash ^= ReferrerUri.GetHashCode(); if (PageViewId.Length != 0) hash ^= PageViewId.GetHashCode(); hash ^= experimentIds_.GetHashCode(); if (RecommendationToken.Length != 0) hash ^= RecommendationToken.GetHashCode(); if (eventAttributes_ != null) hash ^= EventAttributes.GetHashCode(); if (_unknownFields != null) { hash ^= _unknownFields.GetHashCode(); } return hash; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override string ToString() { return pb::JsonFormatter.ToDiagnosticString(this); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void WriteTo(pb::CodedOutputStream output) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE output.WriteRawMessage(this); #else if (Uri.Length != 0) { output.WriteRawTag(10); output.WriteString(Uri); } if (PageViewId.Length != 0) { output.WriteRawTag(18); output.WriteString(PageViewId); } experimentIds_.WriteTo(output, _repeated_experimentIds_codec); if (RecommendationToken.Length != 0) { output.WriteRawTag(34); output.WriteString(RecommendationToken); } if (eventAttributes_ != null) { output.WriteRawTag(42); output.WriteMessage(EventAttributes); } if (ReferrerUri.Length != 0) { output.WriteRawTag(50); output.WriteString(ReferrerUri); } if (_unknownFields != null) { _unknownFields.WriteTo(output); } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalWriteTo(ref pb::WriteContext output) { if (Uri.Length != 0) { output.WriteRawTag(10); output.WriteString(Uri); } if (PageViewId.Length != 0) { output.WriteRawTag(18); output.WriteString(PageViewId); } experimentIds_.WriteTo(ref output, _repeated_experimentIds_codec); if (RecommendationToken.Length != 0) { output.WriteRawTag(34); output.WriteString(RecommendationToken); } if (eventAttributes_ != null) { output.WriteRawTag(42); output.WriteMessage(EventAttributes); } if (ReferrerUri.Length != 0) { output.WriteRawTag(50); output.WriteString(ReferrerUri); } if (_unknownFields != null) { _unknownFields.WriteTo(ref output); } } #endif [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public int CalculateSize() { int size = 0; if (Uri.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(Uri); } if (ReferrerUri.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(ReferrerUri); } if (PageViewId.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(PageViewId); } size += experimentIds_.CalculateSize(_repeated_experimentIds_codec); if (RecommendationToken.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(RecommendationToken); } if (eventAttributes_ != null) { size += 1 + pb::CodedOutputStream.ComputeMessageSize(EventAttributes); } if (_unknownFields != null) { size += _unknownFields.CalculateSize(); } return size; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(EventDetail other) { if (other == null) { return; } if (other.Uri.Length != 0) { Uri = other.Uri; } if (other.ReferrerUri.Length != 0) { ReferrerUri = other.ReferrerUri; } if (other.PageViewId.Length != 0) { PageViewId = other.PageViewId; } experimentIds_.Add(other.experimentIds_); if (other.RecommendationToken.Length != 0) { RecommendationToken = other.RecommendationToken; } if (other.eventAttributes_ != null) { if (eventAttributes_ == null) { EventAttributes = new global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap(); } EventAttributes.MergeFrom(other.EventAttributes); } _unknownFields = pb::UnknownFieldSet.MergeFrom(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(pb::CodedInputStream input) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE input.ReadRawMessage(this); #else uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, input); break; case 10: { Uri = input.ReadString(); break; } case 18: { PageViewId = input.ReadString(); break; } case 26: { experimentIds_.AddEntriesFrom(input, _repeated_experimentIds_codec); break; } case 34: { RecommendationToken = input.ReadString(); break; } case 42: { if (eventAttributes_ == null) { EventAttributes = new global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap(); } input.ReadMessage(EventAttributes); break; } case 50: { ReferrerUri = input.ReadString(); break; } } } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalMergeFrom(ref pb::ParseContext input) { uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, ref input); break; case 10: { Uri = input.ReadString(); break; } case 18: { PageViewId = input.ReadString(); break; } case 26: { experimentIds_.AddEntriesFrom(ref input, _repeated_experimentIds_codec); break; } case 34: { RecommendationToken = input.ReadString(); break; } case 42: { if (eventAttributes_ == null) { EventAttributes = new global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap(); } input.ReadMessage(EventAttributes); break; } case 50: { ReferrerUri = input.ReadString(); break; } } } } #endif } /// <summary> /// ProductEventDetail captures user event information specific to retail /// products. /// </summary> public sealed partial class ProductEventDetail : pb::IMessage<ProductEventDetail> #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE , pb::IBufferMessage #endif { private static readonly pb::MessageParser<ProductEventDetail> _parser = new pb::MessageParser<ProductEventDetail>(() => new ProductEventDetail()); private pb::UnknownFieldSet _unknownFields; [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pb::MessageParser<ProductEventDetail> Parser { get { return _parser; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pbr::MessageDescriptor Descriptor { get { return global::Google.Cloud.RecommendationEngine.V1Beta1.UserEventReflection.Descriptor.MessageTypes[3]; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] pbr::MessageDescriptor pb::IMessage.Descriptor { get { return Descriptor; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public ProductEventDetail() { OnConstruction(); } partial void OnConstruction(); [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public ProductEventDetail(ProductEventDetail other) : this() { searchQuery_ = other.searchQuery_; pageCategories_ = other.pageCategories_.Clone(); productDetails_ = other.productDetails_.Clone(); listId_ = other.listId_; cartId_ = other.cartId_; purchaseTransaction_ = other.purchaseTransaction_ != null ? other.purchaseTransaction_.Clone() : null; _unknownFields = pb::UnknownFieldSet.Clone(other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public ProductEventDetail Clone() { return new ProductEventDetail(this); } /// <summary>Field number for the "search_query" field.</summary> public const int SearchQueryFieldNumber = 1; private string searchQuery_ = ""; /// <summary> /// Required for `search` events. Other event types should not set this field. /// The user's search query as UTF-8 encoded text with a length limit of 5 KiB. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string SearchQuery { get { return searchQuery_; } set { searchQuery_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "page_categories" field.</summary> public const int PageCategoriesFieldNumber = 2; private static readonly pb::FieldCodec<global::Google.Cloud.RecommendationEngine.V1Beta1.CatalogItem.Types.CategoryHierarchy> _repeated_pageCategories_codec = pb::FieldCodec.ForMessage(18, global::Google.Cloud.RecommendationEngine.V1Beta1.CatalogItem.Types.CategoryHierarchy.Parser); private readonly pbc::RepeatedField<global::Google.Cloud.RecommendationEngine.V1Beta1.CatalogItem.Types.CategoryHierarchy> pageCategories_ = new pbc::RepeatedField<global::Google.Cloud.RecommendationEngine.V1Beta1.CatalogItem.Types.CategoryHierarchy>(); /// <summary> /// Required for `category-page-view` events. Other event types should not set /// this field. /// The categories associated with a category page. /// Category pages include special pages such as sales or promotions. For /// instance, a special sale page may have the category hierarchy: /// categories : ["Sales", "2017 Black Friday Deals"]. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public pbc::RepeatedField<global::Google.Cloud.RecommendationEngine.V1Beta1.CatalogItem.Types.CategoryHierarchy> PageCategories { get { return pageCategories_; } } /// <summary>Field number for the "product_details" field.</summary> public const int ProductDetailsFieldNumber = 3; private static readonly pb::FieldCodec<global::Google.Cloud.RecommendationEngine.V1Beta1.ProductDetail> _repeated_productDetails_codec = pb::FieldCodec.ForMessage(26, global::Google.Cloud.RecommendationEngine.V1Beta1.ProductDetail.Parser); private readonly pbc::RepeatedField<global::Google.Cloud.RecommendationEngine.V1Beta1.ProductDetail> productDetails_ = new pbc::RepeatedField<global::Google.Cloud.RecommendationEngine.V1Beta1.ProductDetail>(); /// <summary> /// The main product details related to the event. /// /// This field is required for the following event types: /// /// * `add-to-cart` /// * `add-to-list` /// * `checkout-start` /// * `detail-page-view` /// * `purchase-complete` /// * `refund` /// * `remove-from-cart` /// * `remove-from-list` /// /// This field is optional for the following event types: /// /// * `page-visit` /// * `shopping-cart-page-view` - note that 'product_details' should be set for /// this unless the shopping cart is empty. /// /// This field is not allowed for the following event types: /// /// * `category-page-view` /// * `home-page-view` /// * `search` /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public pbc::RepeatedField<global::Google.Cloud.RecommendationEngine.V1Beta1.ProductDetail> ProductDetails { get { return productDetails_; } } /// <summary>Field number for the "list_id" field.</summary> public const int ListIdFieldNumber = 4; private string listId_ = ""; /// <summary> /// Required for `add-to-list` and `remove-from-list` events. The id or name of /// the list that the item is being added to or removed from. Other event types /// should not set this field. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string ListId { get { return listId_; } set { listId_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "cart_id" field.</summary> public const int CartIdFieldNumber = 5; private string cartId_ = ""; /// <summary> /// Optional. The id or name of the associated shopping cart. This id is used /// to associate multiple items added or present in the cart before purchase. /// /// This can only be set for `add-to-cart`, `remove-from-cart`, /// `checkout-start`, `purchase-complete`, or `shopping-cart-page-view` events. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string CartId { get { return cartId_; } set { cartId_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "purchase_transaction" field.</summary> public const int PurchaseTransactionFieldNumber = 6; private global::Google.Cloud.RecommendationEngine.V1Beta1.PurchaseTransaction purchaseTransaction_; /// <summary> /// Optional. A transaction represents the entire purchase transaction. /// Required for `purchase-complete` events. Optional for `checkout-start` /// events. Other event types should not set this field. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Cloud.RecommendationEngine.V1Beta1.PurchaseTransaction PurchaseTransaction { get { return purchaseTransaction_; } set { purchaseTransaction_ = value; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override bool Equals(object other) { return Equals(other as ProductEventDetail); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public bool Equals(ProductEventDetail other) { if (ReferenceEquals(other, null)) { return false; } if (ReferenceEquals(other, this)) { return true; } if (SearchQuery != other.SearchQuery) return false; if(!pageCategories_.Equals(other.pageCategories_)) return false; if(!productDetails_.Equals(other.productDetails_)) return false; if (ListId != other.ListId) return false; if (CartId != other.CartId) return false; if (!object.Equals(PurchaseTransaction, other.PurchaseTransaction)) return false; return Equals(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override int GetHashCode() { int hash = 1; if (SearchQuery.Length != 0) hash ^= SearchQuery.GetHashCode(); hash ^= pageCategories_.GetHashCode(); hash ^= productDetails_.GetHashCode(); if (ListId.Length != 0) hash ^= ListId.GetHashCode(); if (CartId.Length != 0) hash ^= CartId.GetHashCode(); if (purchaseTransaction_ != null) hash ^= PurchaseTransaction.GetHashCode(); if (_unknownFields != null) { hash ^= _unknownFields.GetHashCode(); } return hash; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override string ToString() { return pb::JsonFormatter.ToDiagnosticString(this); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void WriteTo(pb::CodedOutputStream output) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE output.WriteRawMessage(this); #else if (SearchQuery.Length != 0) { output.WriteRawTag(10); output.WriteString(SearchQuery); } pageCategories_.WriteTo(output, _repeated_pageCategories_codec); productDetails_.WriteTo(output, _repeated_productDetails_codec); if (ListId.Length != 0) { output.WriteRawTag(34); output.WriteString(ListId); } if (CartId.Length != 0) { output.WriteRawTag(42); output.WriteString(CartId); } if (purchaseTransaction_ != null) { output.WriteRawTag(50); output.WriteMessage(PurchaseTransaction); } if (_unknownFields != null) { _unknownFields.WriteTo(output); } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalWriteTo(ref pb::WriteContext output) { if (SearchQuery.Length != 0) { output.WriteRawTag(10); output.WriteString(SearchQuery); } pageCategories_.WriteTo(ref output, _repeated_pageCategories_codec); productDetails_.WriteTo(ref output, _repeated_productDetails_codec); if (ListId.Length != 0) { output.WriteRawTag(34); output.WriteString(ListId); } if (CartId.Length != 0) { output.WriteRawTag(42); output.WriteString(CartId); } if (purchaseTransaction_ != null) { output.WriteRawTag(50); output.WriteMessage(PurchaseTransaction); } if (_unknownFields != null) { _unknownFields.WriteTo(ref output); } } #endif [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public int CalculateSize() { int size = 0; if (SearchQuery.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(SearchQuery); } size += pageCategories_.CalculateSize(_repeated_pageCategories_codec); size += productDetails_.CalculateSize(_repeated_productDetails_codec); if (ListId.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(ListId); } if (CartId.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(CartId); } if (purchaseTransaction_ != null) { size += 1 + pb::CodedOutputStream.ComputeMessageSize(PurchaseTransaction); } if (_unknownFields != null) { size += _unknownFields.CalculateSize(); } return size; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(ProductEventDetail other) { if (other == null) { return; } if (other.SearchQuery.Length != 0) { SearchQuery = other.SearchQuery; } pageCategories_.Add(other.pageCategories_); productDetails_.Add(other.productDetails_); if (other.ListId.Length != 0) { ListId = other.ListId; } if (other.CartId.Length != 0) { CartId = other.CartId; } if (other.purchaseTransaction_ != null) { if (purchaseTransaction_ == null) { PurchaseTransaction = new global::Google.Cloud.RecommendationEngine.V1Beta1.PurchaseTransaction(); } PurchaseTransaction.MergeFrom(other.PurchaseTransaction); } _unknownFields = pb::UnknownFieldSet.MergeFrom(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(pb::CodedInputStream input) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE input.ReadRawMessage(this); #else uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, input); break; case 10: { SearchQuery = input.ReadString(); break; } case 18: { pageCategories_.AddEntriesFrom(input, _repeated_pageCategories_codec); break; } case 26: { productDetails_.AddEntriesFrom(input, _repeated_productDetails_codec); break; } case 34: { ListId = input.ReadString(); break; } case 42: { CartId = input.ReadString(); break; } case 50: { if (purchaseTransaction_ == null) { PurchaseTransaction = new global::Google.Cloud.RecommendationEngine.V1Beta1.PurchaseTransaction(); } input.ReadMessage(PurchaseTransaction); break; } } } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalMergeFrom(ref pb::ParseContext input) { uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, ref input); break; case 10: { SearchQuery = input.ReadString(); break; } case 18: { pageCategories_.AddEntriesFrom(ref input, _repeated_pageCategories_codec); break; } case 26: { productDetails_.AddEntriesFrom(ref input, _repeated_productDetails_codec); break; } case 34: { ListId = input.ReadString(); break; } case 42: { CartId = input.ReadString(); break; } case 50: { if (purchaseTransaction_ == null) { PurchaseTransaction = new global::Google.Cloud.RecommendationEngine.V1Beta1.PurchaseTransaction(); } input.ReadMessage(PurchaseTransaction); break; } } } } #endif } /// <summary> /// A transaction represents the entire purchase transaction. /// </summary> public sealed partial class PurchaseTransaction : pb::IMessage<PurchaseTransaction> #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE , pb::IBufferMessage #endif { private static readonly pb::MessageParser<PurchaseTransaction> _parser = new pb::MessageParser<PurchaseTransaction>(() => new PurchaseTransaction()); private pb::UnknownFieldSet _unknownFields; [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pb::MessageParser<PurchaseTransaction> Parser { get { return _parser; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pbr::MessageDescriptor Descriptor { get { return global::Google.Cloud.RecommendationEngine.V1Beta1.UserEventReflection.Descriptor.MessageTypes[4]; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] pbr::MessageDescriptor pb::IMessage.Descriptor { get { return Descriptor; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public PurchaseTransaction() { OnConstruction(); } partial void OnConstruction(); [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public PurchaseTransaction(PurchaseTransaction other) : this() { id_ = other.id_; revenue_ = other.revenue_; taxes_ = other.taxes_.Clone(); costs_ = other.costs_.Clone(); currencyCode_ = other.currencyCode_; _unknownFields = pb::UnknownFieldSet.Clone(other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public PurchaseTransaction Clone() { return new PurchaseTransaction(this); } /// <summary>Field number for the "id" field.</summary> public const int IdFieldNumber = 1; private string id_ = ""; /// <summary> /// Optional. The transaction ID with a length limit of 128 bytes. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string Id { get { return id_; } set { id_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "revenue" field.</summary> public const int RevenueFieldNumber = 2; private float revenue_; /// <summary> /// Required. Total revenue or grand total associated with the transaction. /// This value include shipping, tax, or other adjustments to total revenue /// that you want to include as part of your revenue calculations. This field /// is not required if the event type is `refund`. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public float Revenue { get { return revenue_; } set { revenue_ = value; } } /// <summary>Field number for the "taxes" field.</summary> public const int TaxesFieldNumber = 3; private static readonly pbc::MapField<string, float>.Codec _map_taxes_codec = new pbc::MapField<string, float>.Codec(pb::FieldCodec.ForString(10, ""), pb::FieldCodec.ForFloat(21, 0F), 26); private readonly pbc::MapField<string, float> taxes_ = new pbc::MapField<string, float>(); /// <summary> /// Optional. All the taxes associated with the transaction. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public pbc::MapField<string, float> Taxes { get { return taxes_; } } /// <summary>Field number for the "costs" field.</summary> public const int CostsFieldNumber = 4; private static readonly pbc::MapField<string, float>.Codec _map_costs_codec = new pbc::MapField<string, float>.Codec(pb::FieldCodec.ForString(10, ""), pb::FieldCodec.ForFloat(21, 0F), 34); private readonly pbc::MapField<string, float> costs_ = new pbc::MapField<string, float>(); /// <summary> /// Optional. All the costs associated with the product. These can be /// manufacturing costs, shipping expenses not borne by the end user, or any /// other costs. /// /// Total product cost such that /// profit = revenue - (sum(taxes) + sum(costs)) /// If product_cost is not set, then /// profit = revenue - tax - shipping - sum(CatalogItem.costs). /// /// If CatalogItem.cost is not specified for one of the items, CatalogItem.cost /// based profit *cannot* be calculated for this Transaction. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public pbc::MapField<string, float> Costs { get { return costs_; } } /// <summary>Field number for the "currency_code" field.</summary> public const int CurrencyCodeFieldNumber = 6; private string currencyCode_ = ""; /// <summary> /// Required. Currency code. Use three-character ISO-4217 code. This field /// is not required if the event type is `refund`. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string CurrencyCode { get { return currencyCode_; } set { currencyCode_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override bool Equals(object other) { return Equals(other as PurchaseTransaction); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public bool Equals(PurchaseTransaction other) { if (ReferenceEquals(other, null)) { return false; } if (ReferenceEquals(other, this)) { return true; } if (Id != other.Id) return false; if (!pbc::ProtobufEqualityComparers.BitwiseSingleEqualityComparer.Equals(Revenue, other.Revenue)) return false; if (!Taxes.Equals(other.Taxes)) return false; if (!Costs.Equals(other.Costs)) return false; if (CurrencyCode != other.CurrencyCode) return false; return Equals(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override int GetHashCode() { int hash = 1; if (Id.Length != 0) hash ^= Id.GetHashCode(); if (Revenue != 0F) hash ^= pbc::ProtobufEqualityComparers.BitwiseSingleEqualityComparer.GetHashCode(Revenue); hash ^= Taxes.GetHashCode(); hash ^= Costs.GetHashCode(); if (CurrencyCode.Length != 0) hash ^= CurrencyCode.GetHashCode(); if (_unknownFields != null) { hash ^= _unknownFields.GetHashCode(); } return hash; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override string ToString() { return pb::JsonFormatter.ToDiagnosticString(this); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void WriteTo(pb::CodedOutputStream output) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE output.WriteRawMessage(this); #else if (Id.Length != 0) { output.WriteRawTag(10); output.WriteString(Id); } if (Revenue != 0F) { output.WriteRawTag(21); output.WriteFloat(Revenue); } taxes_.WriteTo(output, _map_taxes_codec); costs_.WriteTo(output, _map_costs_codec); if (CurrencyCode.Length != 0) { output.WriteRawTag(50); output.WriteString(CurrencyCode); } if (_unknownFields != null) { _unknownFields.WriteTo(output); } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalWriteTo(ref pb::WriteContext output) { if (Id.Length != 0) { output.WriteRawTag(10); output.WriteString(Id); } if (Revenue != 0F) { output.WriteRawTag(21); output.WriteFloat(Revenue); } taxes_.WriteTo(ref output, _map_taxes_codec); costs_.WriteTo(ref output, _map_costs_codec); if (CurrencyCode.Length != 0) { output.WriteRawTag(50); output.WriteString(CurrencyCode); } if (_unknownFields != null) { _unknownFields.WriteTo(ref output); } } #endif [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public int CalculateSize() { int size = 0; if (Id.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(Id); } if (Revenue != 0F) { size += 1 + 4; } size += taxes_.CalculateSize(_map_taxes_codec); size += costs_.CalculateSize(_map_costs_codec); if (CurrencyCode.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(CurrencyCode); } if (_unknownFields != null) { size += _unknownFields.CalculateSize(); } return size; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(PurchaseTransaction other) { if (other == null) { return; } if (other.Id.Length != 0) { Id = other.Id; } if (other.Revenue != 0F) { Revenue = other.Revenue; } taxes_.Add(other.taxes_); costs_.Add(other.costs_); if (other.CurrencyCode.Length != 0) { CurrencyCode = other.CurrencyCode; } _unknownFields = pb::UnknownFieldSet.MergeFrom(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(pb::CodedInputStream input) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE input.ReadRawMessage(this); #else uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, input); break; case 10: { Id = input.ReadString(); break; } case 21: { Revenue = input.ReadFloat(); break; } case 26: { taxes_.AddEntriesFrom(input, _map_taxes_codec); break; } case 34: { costs_.AddEntriesFrom(input, _map_costs_codec); break; } case 50: { CurrencyCode = input.ReadString(); break; } } } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalMergeFrom(ref pb::ParseContext input) { uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, ref input); break; case 10: { Id = input.ReadString(); break; } case 21: { Revenue = input.ReadFloat(); break; } case 26: { taxes_.AddEntriesFrom(ref input, _map_taxes_codec); break; } case 34: { costs_.AddEntriesFrom(ref input, _map_costs_codec); break; } case 50: { CurrencyCode = input.ReadString(); break; } } } } #endif } /// <summary> /// Detailed product information associated with a user event. /// </summary> public sealed partial class ProductDetail : pb::IMessage<ProductDetail> #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE , pb::IBufferMessage #endif { private static readonly pb::MessageParser<ProductDetail> _parser = new pb::MessageParser<ProductDetail>(() => new ProductDetail()); private pb::UnknownFieldSet _unknownFields; [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pb::MessageParser<ProductDetail> Parser { get { return _parser; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public static pbr::MessageDescriptor Descriptor { get { return global::Google.Cloud.RecommendationEngine.V1Beta1.UserEventReflection.Descriptor.MessageTypes[5]; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] pbr::MessageDescriptor pb::IMessage.Descriptor { get { return Descriptor; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public ProductDetail() { OnConstruction(); } partial void OnConstruction(); [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public ProductDetail(ProductDetail other) : this() { id_ = other.id_; currencyCode_ = other.currencyCode_; originalPrice_ = other.originalPrice_; displayPrice_ = other.displayPrice_; stockState_ = other.stockState_; quantity_ = other.quantity_; availableQuantity_ = other.availableQuantity_; itemAttributes_ = other.itemAttributes_ != null ? other.itemAttributes_.Clone() : null; _unknownFields = pb::UnknownFieldSet.Clone(other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public ProductDetail Clone() { return new ProductDetail(this); } /// <summary>Field number for the "id" field.</summary> public const int IdFieldNumber = 1; private string id_ = ""; /// <summary> /// Required. Catalog item ID. UTF-8 encoded string with a length limit of 128 /// characters. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string Id { get { return id_; } set { id_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "currency_code" field.</summary> public const int CurrencyCodeFieldNumber = 2; private string currencyCode_ = ""; /// <summary> /// Optional. Currency code for price/costs. Use three-character ISO-4217 /// code. Required only if originalPrice or displayPrice is set. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public string CurrencyCode { get { return currencyCode_; } set { currencyCode_ = pb::ProtoPreconditions.CheckNotNull(value, "value"); } } /// <summary>Field number for the "original_price" field.</summary> public const int OriginalPriceFieldNumber = 3; private float originalPrice_; /// <summary> /// Optional. Original price of the product. If provided, this will override /// the original price in Catalog for this product. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public float OriginalPrice { get { return originalPrice_; } set { originalPrice_ = value; } } /// <summary>Field number for the "display_price" field.</summary> public const int DisplayPriceFieldNumber = 4; private float displayPrice_; /// <summary> /// Optional. Display price of the product (e.g. discounted price). If /// provided, this will override the display price in Catalog for this product. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public float DisplayPrice { get { return displayPrice_; } set { displayPrice_ = value; } } /// <summary>Field number for the "stock_state" field.</summary> public const int StockStateFieldNumber = 5; private global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState stockState_ = global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState.Unspecified; /// <summary> /// Optional. Item stock state. If provided, this overrides the stock state /// in Catalog for items in this event. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState StockState { get { return stockState_; } set { stockState_ = value; } } /// <summary>Field number for the "quantity" field.</summary> public const int QuantityFieldNumber = 6; private int quantity_; /// <summary> /// Optional. Quantity of the product associated with the user event. For /// example, this field will be 2 if two products are added to the shopping /// cart for `add-to-cart` event. Required for `add-to-cart`, `add-to-list`, /// `remove-from-cart`, `checkout-start`, `purchase-complete`, `refund` event /// types. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public int Quantity { get { return quantity_; } set { quantity_ = value; } } /// <summary>Field number for the "available_quantity" field.</summary> public const int AvailableQuantityFieldNumber = 7; private int availableQuantity_; /// <summary> /// Optional. Quantity of the products in stock when a user event happens. /// Optional. If provided, this overrides the available quantity in Catalog for /// this event. and can only be set if `stock_status` is set to `IN_STOCK`. /// /// Note that if an item is out of stock, you must set the `stock_state` field /// to be `OUT_OF_STOCK`. Leaving this field unspecified / as zero is not /// sufficient to mark the item out of stock. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public int AvailableQuantity { get { return availableQuantity_; } set { availableQuantity_ = value; } } /// <summary>Field number for the "item_attributes" field.</summary> public const int ItemAttributesFieldNumber = 8; private global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap itemAttributes_; /// <summary> /// Optional. Extra features associated with a product in the user event. /// </summary> [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap ItemAttributes { get { return itemAttributes_; } set { itemAttributes_ = value; } } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override bool Equals(object other) { return Equals(other as ProductDetail); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public bool Equals(ProductDetail other) { if (ReferenceEquals(other, null)) { return false; } if (ReferenceEquals(other, this)) { return true; } if (Id != other.Id) return false; if (CurrencyCode != other.CurrencyCode) return false; if (!pbc::ProtobufEqualityComparers.BitwiseSingleEqualityComparer.Equals(OriginalPrice, other.OriginalPrice)) return false; if (!pbc::ProtobufEqualityComparers.BitwiseSingleEqualityComparer.Equals(DisplayPrice, other.DisplayPrice)) return false; if (StockState != other.StockState) return false; if (Quantity != other.Quantity) return false; if (AvailableQuantity != other.AvailableQuantity) return false; if (!object.Equals(ItemAttributes, other.ItemAttributes)) return false; return Equals(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override int GetHashCode() { int hash = 1; if (Id.Length != 0) hash ^= Id.GetHashCode(); if (CurrencyCode.Length != 0) hash ^= CurrencyCode.GetHashCode(); if (OriginalPrice != 0F) hash ^= pbc::ProtobufEqualityComparers.BitwiseSingleEqualityComparer.GetHashCode(OriginalPrice); if (DisplayPrice != 0F) hash ^= pbc::ProtobufEqualityComparers.BitwiseSingleEqualityComparer.GetHashCode(DisplayPrice); if (StockState != global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState.Unspecified) hash ^= StockState.GetHashCode(); if (Quantity != 0) hash ^= Quantity.GetHashCode(); if (AvailableQuantity != 0) hash ^= AvailableQuantity.GetHashCode(); if (itemAttributes_ != null) hash ^= ItemAttributes.GetHashCode(); if (_unknownFields != null) { hash ^= _unknownFields.GetHashCode(); } return hash; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public override string ToString() { return pb::JsonFormatter.ToDiagnosticString(this); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void WriteTo(pb::CodedOutputStream output) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE output.WriteRawMessage(this); #else if (Id.Length != 0) { output.WriteRawTag(10); output.WriteString(Id); } if (CurrencyCode.Length != 0) { output.WriteRawTag(18); output.WriteString(CurrencyCode); } if (OriginalPrice != 0F) { output.WriteRawTag(29); output.WriteFloat(OriginalPrice); } if (DisplayPrice != 0F) { output.WriteRawTag(37); output.WriteFloat(DisplayPrice); } if (StockState != global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState.Unspecified) { output.WriteRawTag(40); output.WriteEnum((int) StockState); } if (Quantity != 0) { output.WriteRawTag(48); output.WriteInt32(Quantity); } if (AvailableQuantity != 0) { output.WriteRawTag(56); output.WriteInt32(AvailableQuantity); } if (itemAttributes_ != null) { output.WriteRawTag(66); output.WriteMessage(ItemAttributes); } if (_unknownFields != null) { _unknownFields.WriteTo(output); } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalWriteTo(ref pb::WriteContext output) { if (Id.Length != 0) { output.WriteRawTag(10); output.WriteString(Id); } if (CurrencyCode.Length != 0) { output.WriteRawTag(18); output.WriteString(CurrencyCode); } if (OriginalPrice != 0F) { output.WriteRawTag(29); output.WriteFloat(OriginalPrice); } if (DisplayPrice != 0F) { output.WriteRawTag(37); output.WriteFloat(DisplayPrice); } if (StockState != global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState.Unspecified) { output.WriteRawTag(40); output.WriteEnum((int) StockState); } if (Quantity != 0) { output.WriteRawTag(48); output.WriteInt32(Quantity); } if (AvailableQuantity != 0) { output.WriteRawTag(56); output.WriteInt32(AvailableQuantity); } if (itemAttributes_ != null) { output.WriteRawTag(66); output.WriteMessage(ItemAttributes); } if (_unknownFields != null) { _unknownFields.WriteTo(ref output); } } #endif [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public int CalculateSize() { int size = 0; if (Id.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(Id); } if (CurrencyCode.Length != 0) { size += 1 + pb::CodedOutputStream.ComputeStringSize(CurrencyCode); } if (OriginalPrice != 0F) { size += 1 + 4; } if (DisplayPrice != 0F) { size += 1 + 4; } if (StockState != global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState.Unspecified) { size += 1 + pb::CodedOutputStream.ComputeEnumSize((int) StockState); } if (Quantity != 0) { size += 1 + pb::CodedOutputStream.ComputeInt32Size(Quantity); } if (AvailableQuantity != 0) { size += 1 + pb::CodedOutputStream.ComputeInt32Size(AvailableQuantity); } if (itemAttributes_ != null) { size += 1 + pb::CodedOutputStream.ComputeMessageSize(ItemAttributes); } if (_unknownFields != null) { size += _unknownFields.CalculateSize(); } return size; } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(ProductDetail other) { if (other == null) { return; } if (other.Id.Length != 0) { Id = other.Id; } if (other.CurrencyCode.Length != 0) { CurrencyCode = other.CurrencyCode; } if (other.OriginalPrice != 0F) { OriginalPrice = other.OriginalPrice; } if (other.DisplayPrice != 0F) { DisplayPrice = other.DisplayPrice; } if (other.StockState != global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState.Unspecified) { StockState = other.StockState; } if (other.Quantity != 0) { Quantity = other.Quantity; } if (other.AvailableQuantity != 0) { AvailableQuantity = other.AvailableQuantity; } if (other.itemAttributes_ != null) { if (itemAttributes_ == null) { ItemAttributes = new global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap(); } ItemAttributes.MergeFrom(other.ItemAttributes); } _unknownFields = pb::UnknownFieldSet.MergeFrom(_unknownFields, other._unknownFields); } [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] public void MergeFrom(pb::CodedInputStream input) { #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE input.ReadRawMessage(this); #else uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, input); break; case 10: { Id = input.ReadString(); break; } case 18: { CurrencyCode = input.ReadString(); break; } case 29: { OriginalPrice = input.ReadFloat(); break; } case 37: { DisplayPrice = input.ReadFloat(); break; } case 40: { StockState = (global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState) input.ReadEnum(); break; } case 48: { Quantity = input.ReadInt32(); break; } case 56: { AvailableQuantity = input.ReadInt32(); break; } case 66: { if (itemAttributes_ == null) { ItemAttributes = new global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap(); } input.ReadMessage(ItemAttributes); break; } } } #endif } #if !GOOGLE_PROTOBUF_REFSTRUCT_COMPATIBILITY_MODE [global::System.Diagnostics.DebuggerNonUserCodeAttribute] [global::System.CodeDom.Compiler.GeneratedCode("protoc", null)] void pb::IBufferMessage.InternalMergeFrom(ref pb::ParseContext input) { uint tag; while ((tag = input.ReadTag()) != 0) { switch(tag) { default: _unknownFields = pb::UnknownFieldSet.MergeFieldFrom(_unknownFields, ref input); break; case 10: { Id = input.ReadString(); break; } case 18: { CurrencyCode = input.ReadString(); break; } case 29: { OriginalPrice = input.ReadFloat(); break; } case 37: { DisplayPrice = input.ReadFloat(); break; } case 40: { StockState = (global::Google.Cloud.RecommendationEngine.V1Beta1.ProductCatalogItem.Types.StockState) input.ReadEnum(); break; } case 48: { Quantity = input.ReadInt32(); break; } case 56: { AvailableQuantity = input.ReadInt32(); break; } case 66: { if (itemAttributes_ == null) { ItemAttributes = new global::Google.Cloud.RecommendationEngine.V1Beta1.FeatureMap(); } input.ReadMessage(ItemAttributes); break; } } } } #endif } #endregion } #endregion Designer generated code
39.309933
392
0.659045
[ "Apache-2.0" ]
AlexandrTrf/google-cloud-dotnet
apis/Google.Cloud.RecommendationEngine.V1Beta1/Google.Cloud.RecommendationEngine.V1Beta1/UserEvent.g.cs
105,272
C#
/** * $File: JCS_EaseMath.cs $ * $Date: $ * $Revision: $ * $Creator: Jen-Chieh Shen $ * $Notice: See LICENSE.txt for modification and distribution information * Copyright (c) 2016 by Shen, Jen-Chieh $ */ using UnityEngine; using System.Collections; namespace JCSUnity { /// <summary> /// Easing Equation can be find here. /// /// URL: http://gizma.com/easing/#quint1 /// GitHub: https://github.com/PeterVuorela/Tweener (Third Party Library) /// </summary> public class JCS_EaseMath : MonoBehaviour { public static float Linear(float time, float from, float to, float duration) { return to * time / duration + from; } } }
25.137931
83
0.599451
[ "MIT" ]
edwin-channel/JCSUnity
Assets/JCSUnity/Scripts/Effects/Tweener/JCS_EaseMath.cs
731
C#