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 list | repository_name stringlengths 7 92 | path stringlengths 3 249 | size int64 5 1.04M | lang stringclasses 2
values |
|---|---|---|---|---|---|---|---|---|
using RRBL;
using RRDL;
namespace RRUI
{
public class MenuFactory
{
public static IMenu GetMenu(string menuType)
{
switch (menuType.ToLower())
{
case "main":
return new MainMenu();
case "restaurant":
return new RestaurantMenu(new RestaurantBL(new RepoFile()), new ValidationService());
default:
return null;
}
}
}
} | 24.75 | 105 | 0.478788 | [
"MIT"
] | mariellenolasco/miniature-waffle | 1-csharp/RestaurantReviews/RRUI/MenuFactory.cs | 495 | C# |
using Codeplex.Data;
using Microsoft.CSharp.RuntimeBinder;
using System;
using System.Collections.Generic;
using System.IO;
using System.IO.MemoryMappedFiles;
using System.Linq;
using System.Text;
using System.Text.RegularExpressions;
using System.Threading.Tasks;
using System.Windows.Forms;
namespace ALVR
{
class ServerConfig
{
private static readonly string APP_FILEMAPPING_NAME = "ALVR_DRIVER_FILEMAPPING_0B124897-7730-4B84-AA32-088E9B92851F";
public static readonly int DEFAULT_SCALE_INDEX = 3; // 100%
public static readonly int[] supportedScales = { 25, 50, 75, 100, 125, 150, 175, 200 };
public static readonly int DEFAULT_REFRESHRATE = 60;
public static readonly int DEFAULT_WIDTH = 2048;
public static readonly int DEFAULT_HEIGHT = 1024;
public class ComboBoxCustomItem
{
public ComboBoxCustomItem(string s, int val)
{
text = s;
value = val;
}
private readonly string text;
public int value { get; private set; }
public override string ToString()
{
return text;
}
}
// From OpenVR EVRButtonId
public static readonly ComboBoxCustomItem[] supportedButtons = {
new ComboBoxCustomItem("None", -1)
,new ComboBoxCustomItem("System", 0)
,new ComboBoxCustomItem("ApplicationMenu", 1)
,new ComboBoxCustomItem("Grip", 2)
,new ComboBoxCustomItem("DPad_Left", 5)
,new ComboBoxCustomItem("DPad_Up", 6)
,new ComboBoxCustomItem("DPad_Right", 7)
,new ComboBoxCustomItem("DPad_Down", 8)
,new ComboBoxCustomItem("A Button", 9)
,new ComboBoxCustomItem("B Button", 11)
,new ComboBoxCustomItem("X Button", 13)
,new ComboBoxCustomItem("Y Button", 15)
,new ComboBoxCustomItem("Trackpad", 39)
,new ComboBoxCustomItem("Trigger", 34)
,new ComboBoxCustomItem("Shoulder Left", 19)
,new ComboBoxCustomItem("Shoulder Right", 20)
,new ComboBoxCustomItem("Joystick Left", 21)
,new ComboBoxCustomItem("Joystick Right", 24)
,new ComboBoxCustomItem("Back", 31)
,new ComboBoxCustomItem("Guide", 32)
,new ComboBoxCustomItem("Start", 33)
};
public static readonly string[] supportedRecenterButton = new string[] {
"None", "Trigger", "Trackpad click", "Trackpad touch", "Back"
};
public static readonly int[] recenterButtonIndex = new int[] {
-1, 34, 39, 40, 31
};
public static readonly ComboBoxCustomItem[] supportedCodecs = {
new ComboBoxCustomItem("H.264 AVC", 0),
new ComboBoxCustomItem("H.265 HEVC", 1)
};
MemoryMappedFile memoryMappedFile;
public ServerConfig()
{
}
public static int FindButton(int button)
{
for (var i = 0; i < supportedButtons.Length; i++)
{
if (supportedButtons[i].value == button)
{
return i;
}
}
return 0;
}
public int GetBufferSizeKB()
{
if (Properties.Settings.Default.bufferSize == 5)
{
return 200;
}
// Map 0 - 100 to 100kB - 2000kB
return Properties.Settings.Default.bufferSize * 1900 / 100 + 100;
}
public int GetFrameQueueSize(bool suppressFrameDrop)
{
return suppressFrameDrop ? 5 : 1;
}
public bool Save(DeviceDescriptor device)
{
try
{
var c = Properties.Settings.Default;
dynamic driverConfig = new DynamicJson();
if (device != null && device.HasTouchController)
{
driverConfig.serialNumber = "OculusRift-001";
driverConfig.trackingSystemName = "oculus";
driverConfig.modelNumber = "Oculus Rift";
driverConfig.manufacturerName = "Oculus";
driverConfig.renderModelName = "generic_hmd";
}
else
{
driverConfig.serialNumber = "HTCVive-001";
driverConfig.trackingSystemName = "Vive Tracker";
driverConfig.modelNumber = "ALVR driver server";
driverConfig.manufacturerName = "HTC";
driverConfig.renderModelName = "generic_hmd";
}
driverConfig.adapterIndex = 0;
driverConfig.IPD = 0.063;
driverConfig.secondsFromVsyncToPhotons = 0.005;
driverConfig.listenPort = 9944;
driverConfig.listenHost = "0.0.0.0";
driverConfig.sendingTimeslotUs = 500;
driverConfig.limitTimeslotPackets = 0;
driverConfig.controlListenPort = 9944;
driverConfig.controlListenHost = "127.0.0.1";
driverConfig.useKeyedMutex = true;
driverConfig.codec = c.codec; // 0: H264, 1: H265
driverConfig.encodeBitrateInMBits = c.bitrate;
if (device == null)
{
driverConfig.refreshRate = DEFAULT_REFRESHRATE;
driverConfig.renderWidth = DEFAULT_WIDTH;
driverConfig.renderHeight = DEFAULT_HEIGHT;
driverConfig.autoConnectHost = "";
driverConfig.autoConnectPort = 0;
driverConfig.eyeFov = new double[] { 45, 45, 45, 45, 45, 45, 45, 45 };
}
else
{
driverConfig.refreshRate = device.RefreshRates[0] == 0 ? DEFAULT_REFRESHRATE : device.RefreshRates[0];
driverConfig.renderWidth = device.DefaultWidth * supportedScales[c.resolutionScale] / 100;
driverConfig.renderHeight = device.DefaultHeight * supportedScales[c.resolutionScale] / 100;
driverConfig.autoConnectHost = device.ClientHost;
driverConfig.autoConnectPort = device.ClientPort;
driverConfig.eyeFov = device.EyeFov;
}
driverConfig.enableSound = c.enableSound && c.soundDevice != "";
driverConfig.soundDevice = c.soundDevice;
driverConfig.debugOutputDir = Utils.GetOutputPath();
driverConfig.debugLog = c.debugLog;
driverConfig.debugFrameIndex = false;
driverConfig.debugFrameOutput = false;
driverConfig.debugCaptureOutput = c.debugCaptureOutput;
driverConfig.useKeyedMutex = true;
driverConfig.clientRecvBufferSize = GetBufferSizeKB() * 1000;
driverConfig.frameQueueSize = GetFrameQueueSize(c.suppressFrameDrop);
driverConfig.force60HZ = c.force60Hz;
driverConfig.enableController = c.enableController;
if(device != null && device.HasTouchController)
{
driverConfig.controllerTrackingSystemName = "oculus";
driverConfig.controllerManufacturerName = "Oculus";
driverConfig.controllerModelNumber = "Oculus Rift CV1";
if (!Directory.Exists(Utils.GetDriverPath() + "resources\\rendermodels\\oculus_quest_controller_left"))
{
driverConfig.controllerRenderModelNameLeft = "oculus_cv1_controller_left";
driverConfig.controllerRenderModelNameRight = "oculus_cv1_controller_right";
}
else
{
driverConfig.controllerRenderModelNameLeft = Utils.GetDriverPath() + "resources\\rendermodels\\oculus_quest_controller_left";
driverConfig.controllerRenderModelNameRight = Utils.GetDriverPath() + "resources\\rendermodels\\oculus_quest_controller_right";
}
driverConfig.controllerSerialNumber = "WMHD000X000XXX_Controller";
driverConfig.controllerType = "oculus_touch";
driverConfig.controllerLegacyInputProfile = "oculus_touch";
driverConfig.controllerInputProfilePath = "{alvr_server}/input/touch_profile.json";
}
else
{
driverConfig.controllerTrackingSystemName = "ALVR Remote Controller";
driverConfig.controllerManufacturerName = "ALVR";
driverConfig.controllerModelNumber = "ALVR Remote Controller";
driverConfig.controllerRenderModelNameLeft = "vr_controller_vive_1_5";
driverConfig.controllerRenderModelNameRight = "vr_controller_vive_1_5";
driverConfig.controllerSerialNumber = "ALVR Remote Controller";
driverConfig.controllerType = "vive_controller";
driverConfig.controllerLegacyInputProfile = "vive_controller";
driverConfig.controllerInputProfilePath = "{alvr_server}/input/vive_controller_profile.json";
}
driverConfig.controllerTriggerMode = c.controllerTriggerMode;
driverConfig.controllerTrackpadClickMode = c.controllerTrackpadClickMode;
driverConfig.controllerTrackpadTouchMode = c.controllerTrackpadTouchMode;
driverConfig.controllerBackMode = c.controllerBackMode;
// -1=Disabled, other=ALVR Input id
driverConfig.controllerRecenterButton = recenterButtonIndex[c.controllerRecenterButton];
driverConfig.useTrackingReference = c.useTrackingReference;
driverConfig.enableOffsetPos = c.useOffsetPos;
driverConfig.offsetPosX = Utils.ParseFloat(c.offsetPosX);
driverConfig.offsetPosY = Utils.ParseFloat(c.offsetPosY);
driverConfig.offsetPosZ = Utils.ParseFloat(c.offsetPosZ);
driverConfig.trackingFrameOffset = Utils.ParseInt(c.trackingFrameOffset);
byte[] bytes = Encoding.UTF8.GetBytes(driverConfig.ToString());
memoryMappedFile = MemoryMappedFile.CreateOrOpen(APP_FILEMAPPING_NAME, sizeof(int) + bytes.Length);
using (var mappedStream = memoryMappedFile.CreateViewStream())
{
mappedStream.Write(BitConverter.GetBytes(bytes.Length), 0, sizeof(int));
mappedStream.Write(bytes, 0, bytes.Length);
}
}
catch (Exception)
{
MessageBox.Show("Error on creating filemapping.\r\nPlease check the status of vrserver.exe and retry.");
return false;
}
return true;
}
}
}
| 43.885827 | 151 | 0.580156 | [
"MIT",
"BSD-3-Clause"
] | LIV/ALVR | ALVR/ServerConfig.cs | 11,149 | C# |
using System;
using Microsoft.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore.Infrastructure;
using Microsoft.EntityFrameworkCore.Metadata;
using Microsoft.EntityFrameworkCore.Migrations;
using Nether.Data.Sql.Leaderboard;
namespace Nether.Data.Sql.Leaderboard.Migrations
{
[DbContext(typeof(SqlLeaderboardContext))]
[Migration("20170223114101_InitialLeaderboardContextMigration")]
partial class InitialLeaderboardContextMigration
{
protected override void BuildTargetModel(ModelBuilder modelBuilder)
{
modelBuilder
.HasAnnotation("ProductVersion", "1.1.0-rtm-22752")
.HasAnnotation("SqlServer:ValueGenerationStrategy", SqlServerValueGenerationStrategy.IdentityColumn);
modelBuilder.Entity("Nether.Data.Sql.Leaderboard.QueriedGamerScore", b =>
{
b.Property<string>("Gamertag")
.ValueGeneratedOnAdd();
b.Property<string>("CustomTag");
b.Property<long>("Ranking");
b.Property<int>("Score");
b.HasKey("Gamertag");
b.ToTable("Ranks");
});
modelBuilder.Entity("Nether.Data.Sql.Leaderboard.SavedGamerScore", b =>
{
b.Property<Guid>("Id")
.ValueGeneratedOnAdd();
b.Property<string>("CustomTag")
.HasMaxLength(50);
b.Property<DateTime>("DateAchieved");
b.Property<string>("Gamertag")
.IsRequired()
.HasMaxLength(50);
b.Property<int>("Score");
b.HasKey("Id");
b.HasIndex("DateAchieved", "Gamertag", "Score");
b.ToTable("Scores");
b.HasAnnotation("SqlServer:TableName", "Scores");
});
}
}
}
| 31.793651 | 117 | 0.548178 | [
"MIT"
] | vflorusso/nether | src/Nether.Data.Sql/Leaderboard/Migrations/20170223114101_InitialLeaderboardContextMigration.Designer.cs | 2,005 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using SBA_BACKEND.Domain.Models;
using SBA_BACKEND.Domain.Services.Communications;
namespace SBA_BACKEND.Domain.Services
{
public interface IReportService
{
Task<IEnumerable<Report>> ListAsync();
Task<ReportResponse> GetByIdAsync(int id);
Task<ReportResponse> SaveAsync(int customerId, int technicianId, Report report);
Task<ReportResponse> UpdateAsync(int id, Report report);
Task<ReportResponse> DeleteAsync(int id);
}
}
| 26.75 | 82 | 0.798131 | [
"MIT"
] | CarlosIzarra09/SBA-blue-repository | SBA-BACKEND/Domain/Services/IReportService.cs | 535 | C# |
// Copyright © Tanner Gooding and Contributors. Licensed under the MIT License (MIT). See License.md in the repository root for more information.
// Ported from um/MsHTML.h in the Windows SDK for Windows 10.0.20348.0
// Original source is Copyright © Microsoft. All rights reserved.
using NUnit.Framework;
using System;
using System.Runtime.InteropServices;
using static TerraFX.Interop.Windows.IID;
namespace TerraFX.Interop.Windows.UnitTests;
/// <summary>Provides validation of the <see cref="HTMLAnchorElement" /> struct.</summary>
public static unsafe partial class HTMLAnchorElementTests
{
/// <summary>Validates that the <see cref="Guid" /> of the <see cref="HTMLAnchorElement" /> struct is correct.</summary>
[Test]
public static void GuidOfTest()
{
Assert.That(typeof(HTMLAnchorElement).GUID, Is.EqualTo(IID_HTMLAnchorElement));
}
/// <summary>Validates that the <see cref="HTMLAnchorElement" /> struct is blittable.</summary>
[Test]
public static void IsBlittableTest()
{
Assert.That(Marshal.SizeOf<HTMLAnchorElement>(), Is.EqualTo(sizeof(HTMLAnchorElement)));
}
/// <summary>Validates that the <see cref="HTMLAnchorElement" /> struct has the right <see cref="LayoutKind" />.</summary>
[Test]
public static void IsLayoutSequentialTest()
{
Assert.That(typeof(HTMLAnchorElement).IsLayoutSequential, Is.True);
}
/// <summary>Validates that the <see cref="HTMLAnchorElement" /> struct has the correct size.</summary>
[Test]
public static void SizeOfTest()
{
Assert.That(sizeof(HTMLAnchorElement), Is.EqualTo(1));
}
}
| 37.318182 | 145 | 0.713764 | [
"MIT"
] | IngmarBitter/terrafx.interop.windows | tests/Interop/Windows/Windows/um/MsHTML/HTMLAnchorElementTests.cs | 1,644 | C# |
using System;
namespace TicTacToe.Repositories
{
public class PlayerRepository : IRepository
{
public PlayerRepository()
{
}
public void Add()
{
throw new NotImplementedException();
}
public void Delete()
{
throw new NotImplementedException();
}
public void FindById()
{
throw new NotImplementedException();
}
public void GetBusines()
{
throw new NotImplementedException();
}
public void Update()
{
throw new NotImplementedException();
}
}
}
| 18.444444 | 48 | 0.510542 | [
"MIT"
] | danyelaristizabal/Imposible-TicTacToe | TicTacToe/Repositories/PlayerRepository.cs | 666 | C# |
/*******************************************************************************
* Copyright 2012-2019 Amazon.com, Inc. or its affiliates. All Rights Reserved.
* Licensed under the Apache License, Version 2.0 (the "License"). You may not use
* this file except in compliance with the License. A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file.
* This file is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR
* CONDITIONS OF ANY KIND, either express or implied. See the License for the
* specific language governing permissions and limitations under the License.
* *****************************************************************************
*
* AWS Tools for Windows (TM) PowerShell (TM)
*
*/
using System;
using System.Collections.Generic;
using System.Linq;
using System.Management.Automation;
using System.Text;
using Amazon.PowerShell.Common;
using Amazon.Runtime;
using Amazon.QuickSight;
using Amazon.QuickSight.Model;
namespace Amazon.PowerShell.Cmdlets.QS
{
/// <summary>
/// Returns a list of all of the Amazon QuickSight users belonging to this account.<br/><br/>This cmdlet automatically pages all available results to the pipeline - parameters related to iteration are only needed if you want to manually control the paginated output. To disable autopagination, use -NoAutoIteration.
/// </summary>
[Cmdlet("Get", "QSUserList")]
[OutputType("Amazon.QuickSight.Model.User")]
[AWSCmdlet("Calls the Amazon QuickSight ListUsers API operation.", Operation = new[] {"ListUsers"}, SelectReturnType = typeof(Amazon.QuickSight.Model.ListUsersResponse))]
[AWSCmdletOutput("Amazon.QuickSight.Model.User or Amazon.QuickSight.Model.ListUsersResponse",
"This cmdlet returns a collection of Amazon.QuickSight.Model.User objects.",
"The service call response (type Amazon.QuickSight.Model.ListUsersResponse) can also be referenced from properties attached to the cmdlet entry in the $AWSHistory stack."
)]
public partial class GetQSUserListCmdlet : AmazonQuickSightClientCmdlet, IExecutor
{
#region Parameter AwsAccountId
/// <summary>
/// <para>
/// <para>The ID for the AWS account that the user is in. Currently, you use the ID for the
/// AWS account that contains your Amazon QuickSight account.</para>
/// </para>
/// </summary>
#if !MODULAR
[System.Management.Automation.Parameter(Position = 0, ValueFromPipelineByPropertyName = true, ValueFromPipeline = true)]
#else
[System.Management.Automation.Parameter(Position = 0, ValueFromPipelineByPropertyName = true, ValueFromPipeline = true, Mandatory = true)]
[System.Management.Automation.AllowEmptyString]
[System.Management.Automation.AllowNull]
#endif
[Amazon.PowerShell.Common.AWSRequiredParameter]
public System.String AwsAccountId { get; set; }
#endregion
#region Parameter Namespace
/// <summary>
/// <para>
/// <para>The namespace. Currently, you should set this to <code>default</code>.</para>
/// </para>
/// </summary>
#if !MODULAR
[System.Management.Automation.Parameter(ValueFromPipelineByPropertyName = true)]
#else
[System.Management.Automation.Parameter(ValueFromPipelineByPropertyName = true, Mandatory = true)]
[System.Management.Automation.AllowEmptyString]
[System.Management.Automation.AllowNull]
#endif
[Amazon.PowerShell.Common.AWSRequiredParameter]
public System.String Namespace { get; set; }
#endregion
#region Parameter MaxResult
/// <summary>
/// <para>
/// <para>The maximum number of results to return from this request.</para>
/// </para>
/// <para>
/// <br/><b>Note:</b> In AWSPowerShell and AWSPowerShell.NetCore this parameter is used to limit the total number of items returned by the cmdlet.
/// <br/>In AWS.Tools this parameter is simply passed to the service to specify how many items should be returned by each service call.
/// <br/>Pipe the output of this cmdlet into Select-Object -First to terminate retrieving data pages early and control the number of items returned.
/// </para>
/// <para>If a value for this parameter is not specified the cmdlet will use a default value of '<b>100</b>'.</para>
/// </summary>
[System.Management.Automation.Parameter(ValueFromPipelineByPropertyName = true)]
[Alias("MaxItems","MaxResults")]
public int? MaxResult { get; set; }
#endregion
#region Parameter NextToken
/// <summary>
/// <para>
/// <para>A pagination token that can be used in a subsequent request.</para>
/// </para>
/// <para>
/// <br/><b>Note:</b> This parameter is only used if you are manually controlling output pagination of the service API call.
/// <br/>In order to manually control output pagination, use '-NextToken $null' for the first call and '-NextToken $AWSHistory.LastServiceResponse.NextToken' for subsequent calls.
/// </para>
/// </summary>
[System.Management.Automation.Parameter(ValueFromPipelineByPropertyName = true)]
public System.String NextToken { get; set; }
#endregion
#region Parameter Select
/// <summary>
/// Use the -Select parameter to control the cmdlet output. The default value is 'UserList'.
/// Specifying -Select '*' will result in the cmdlet returning the whole service response (Amazon.QuickSight.Model.ListUsersResponse).
/// Specifying the name of a property of type Amazon.QuickSight.Model.ListUsersResponse will result in that property being returned.
/// Specifying -Select '^ParameterName' will result in the cmdlet returning the selected cmdlet parameter value.
/// </summary>
[System.Management.Automation.Parameter(ValueFromPipelineByPropertyName = true)]
public string Select { get; set; } = "UserList";
#endregion
#region Parameter PassThru
/// <summary>
/// Changes the cmdlet behavior to return the value passed to the AwsAccountId parameter.
/// The -PassThru parameter is deprecated, use -Select '^AwsAccountId' instead. This parameter will be removed in a future version.
/// </summary>
[System.Obsolete("The -PassThru parameter is deprecated, use -Select '^AwsAccountId' instead. This parameter will be removed in a future version.")]
[System.Management.Automation.Parameter(ValueFromPipelineByPropertyName = true)]
public SwitchParameter PassThru { get; set; }
#endregion
#region Parameter NoAutoIteration
/// <summary>
/// By default the cmdlet will auto-iterate and retrieve all results to the pipeline by performing multiple
/// service calls. If set, the cmdlet will retrieve only the next 'page' of results using the value of NextToken
/// as the start point.
/// </summary>
[System.Management.Automation.Parameter(ValueFromPipelineByPropertyName = true)]
public SwitchParameter NoAutoIteration { get; set; }
#endregion
protected override void ProcessRecord()
{
base.ProcessRecord();
var context = new CmdletContext();
// allow for manipulation of parameters prior to loading into context
PreExecutionContextLoad(context);
#pragma warning disable CS0618, CS0612 //A class member was marked with the Obsolete attribute
if (ParameterWasBound(nameof(this.Select)))
{
context.Select = CreateSelectDelegate<Amazon.QuickSight.Model.ListUsersResponse, GetQSUserListCmdlet>(Select) ??
throw new System.ArgumentException("Invalid value for -Select parameter.", nameof(this.Select));
if (this.PassThru.IsPresent)
{
throw new System.ArgumentException("-PassThru cannot be used when -Select is specified.", nameof(this.Select));
}
}
else if (this.PassThru.IsPresent)
{
context.Select = (response, cmdlet) => this.AwsAccountId;
}
#pragma warning restore CS0618, CS0612 //A class member was marked with the Obsolete attribute
context.AwsAccountId = this.AwsAccountId;
#if MODULAR
if (this.AwsAccountId == null && ParameterWasBound(nameof(this.AwsAccountId)))
{
WriteWarning("You are passing $null as a value for parameter AwsAccountId which is marked as required. In case you believe this parameter was incorrectly marked as required, report this by opening an issue at https://github.com/aws/aws-tools-for-powershell/issues.");
}
#endif
context.MaxResult = this.MaxResult;
#if MODULAR
if (!ParameterWasBound(nameof(this.MaxResult)))
{
WriteVerbose("MaxResult parameter unset, using default value of '100'");
context.MaxResult = 100;
}
#endif
#if !MODULAR
if (ParameterWasBound(nameof(this.MaxResult)) && this.MaxResult.HasValue)
{
WriteWarning("AWSPowerShell and AWSPowerShell.NetCore use the MaxResult parameter to limit the total number of items returned by the cmdlet." +
" This behavior is obsolete and will be removed in a future version of these modules. Pipe the output of this cmdlet into Select-Object -First to terminate" +
" retrieving data pages early and control the number of items returned. AWS.Tools already implements the new behavior of simply passing MaxResult" +
" to the service to specify how many items should be returned by each service call.");
}
#endif
context.Namespace = this.Namespace;
#if MODULAR
if (this.Namespace == null && ParameterWasBound(nameof(this.Namespace)))
{
WriteWarning("You are passing $null as a value for parameter Namespace which is marked as required. In case you believe this parameter was incorrectly marked as required, report this by opening an issue at https://github.com/aws/aws-tools-for-powershell/issues.");
}
#endif
context.NextToken = this.NextToken;
// allow further manipulation of loaded context prior to processing
PostExecutionContextLoad(context);
var output = Execute(context) as CmdletOutput;
ProcessOutput(output);
}
#region IExecutor Members
#if MODULAR
public object Execute(ExecutorContext context)
{
var cmdletContext = context as CmdletContext;
#pragma warning disable CS0618, CS0612 //A class member was marked with the Obsolete attribute
var useParameterSelect = this.Select.StartsWith("^") || this.PassThru.IsPresent;
#pragma warning restore CS0618, CS0612 //A class member was marked with the Obsolete attribute
// create request and set iteration invariants
var request = new Amazon.QuickSight.Model.ListUsersRequest();
if (cmdletContext.AwsAccountId != null)
{
request.AwsAccountId = cmdletContext.AwsAccountId;
}
if (cmdletContext.MaxResult != null)
{
request.MaxResults = AutoIterationHelpers.ConvertEmitLimitToServiceTypeInt32(cmdletContext.MaxResult.Value);
}
if (cmdletContext.Namespace != null)
{
request.Namespace = cmdletContext.Namespace;
}
// Initialize loop variant and commence piping
var _nextToken = cmdletContext.NextToken;
var _userControllingPaging = this.NoAutoIteration.IsPresent || ParameterWasBound(nameof(this.NextToken));
var client = Client ?? CreateClient(_CurrentCredentials, _RegionEndpoint);
do
{
request.NextToken = _nextToken;
CmdletOutput output;
try
{
var response = CallAWSServiceOperation(client, request);
object pipelineOutput = null;
if (!useParameterSelect)
{
pipelineOutput = cmdletContext.Select(response, this);
}
output = new CmdletOutput
{
PipelineOutput = pipelineOutput,
ServiceResponse = response
};
_nextToken = response.NextToken;
}
catch (Exception e)
{
output = new CmdletOutput { ErrorResponse = e };
}
ProcessOutput(output);
} while (!_userControllingPaging && AutoIterationHelpers.HasValue(_nextToken));
if (useParameterSelect)
{
WriteObject(cmdletContext.Select(null, this));
}
return null;
}
#else
public object Execute(ExecutorContext context)
{
var cmdletContext = context as CmdletContext;
var useParameterSelect = this.Select.StartsWith("^") || this.PassThru.IsPresent;
// create request and set iteration invariants
var request = new Amazon.QuickSight.Model.ListUsersRequest();
if (cmdletContext.AwsAccountId != null)
{
request.AwsAccountId = cmdletContext.AwsAccountId;
}
if (cmdletContext.Namespace != null)
{
request.Namespace = cmdletContext.Namespace;
}
// Initialize loop variants and commence piping
System.String _nextToken = null;
int? _emitLimit = null;
int _retrievedSoFar = 0;
if (AutoIterationHelpers.HasValue(cmdletContext.NextToken))
{
_nextToken = cmdletContext.NextToken;
}
if (cmdletContext.MaxResult.HasValue)
{
// The service has a maximum page size of 100. If the user has
// asked for more items than page max, and there is no page size
// configured, we rely on the service ignoring the set maximum
// and giving us 100 items back. If a page size is set, that will
// be used to configure the pagination.
// We'll make further calls to satisfy the user's request.
_emitLimit = cmdletContext.MaxResult;
}
var _userControllingPaging = this.NoAutoIteration.IsPresent || ParameterWasBound(nameof(this.NextToken));
var client = Client ?? CreateClient(_CurrentCredentials, _RegionEndpoint);
do
{
request.NextToken = _nextToken;
if (_emitLimit.HasValue)
{
int correctPageSize = Math.Min(100, _emitLimit.Value);
request.MaxResults = AutoIterationHelpers.ConvertEmitLimitToInt32(correctPageSize);
}
else if (!ParameterWasBound(nameof(this.MaxResult)))
{
request.MaxResults = AutoIterationHelpers.ConvertEmitLimitToInt32(100);
}
CmdletOutput output;
try
{
var response = CallAWSServiceOperation(client, request);
object pipelineOutput = null;
if (!useParameterSelect)
{
pipelineOutput = cmdletContext.Select(response, this);
}
output = new CmdletOutput
{
PipelineOutput = pipelineOutput,
ServiceResponse = response
};
int _receivedThisCall = response.UserList.Count;
_nextToken = response.NextToken;
_retrievedSoFar += _receivedThisCall;
if (_emitLimit.HasValue)
{
_emitLimit -= _receivedThisCall;
}
}
catch (Exception e)
{
if (_retrievedSoFar == 0 || !_emitLimit.HasValue)
{
output = new CmdletOutput { ErrorResponse = e };
}
else
{
break;
}
}
ProcessOutput(output);
} while (!_userControllingPaging && AutoIterationHelpers.HasValue(_nextToken) && (!_emitLimit.HasValue || _emitLimit.Value >= 1));
if (useParameterSelect)
{
WriteObject(cmdletContext.Select(null, this));
}
return null;
}
#endif
public ExecutorContext CreateContext()
{
return new CmdletContext();
}
#endregion
#region AWS Service Operation Call
private Amazon.QuickSight.Model.ListUsersResponse CallAWSServiceOperation(IAmazonQuickSight client, Amazon.QuickSight.Model.ListUsersRequest request)
{
Utils.Common.WriteVerboseEndpointMessage(this, client.Config, "Amazon QuickSight", "ListUsers");
try
{
#if DESKTOP
return client.ListUsers(request);
#elif CORECLR
return client.ListUsersAsync(request).GetAwaiter().GetResult();
#else
#error "Unknown build edition"
#endif
}
catch (AmazonServiceException exc)
{
var webException = exc.InnerException as System.Net.WebException;
if (webException != null)
{
throw new Exception(Utils.Common.FormatNameResolutionFailureMessage(client.Config, webException.Message), webException);
}
throw;
}
}
#endregion
internal partial class CmdletContext : ExecutorContext
{
public System.String AwsAccountId { get; set; }
public int? MaxResult { get; set; }
public System.String Namespace { get; set; }
public System.String NextToken { get; set; }
public System.Func<Amazon.QuickSight.Model.ListUsersResponse, GetQSUserListCmdlet, object> Select { get; set; } =
(response, cmdlet) => response.UserList;
}
}
}
| 46.374118 | 319 | 0.579786 | [
"Apache-2.0"
] | JekzVadaria/aws-tools-for-powershell | modules/AWSPowerShell/Cmdlets/QuickSight/Basic/Get-QSUserList-Cmdlet.cs | 19,709 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using ZooUni.Models;
namespace ZooUni.Services.Owner
{
public interface IOwnerService
{
List<OwnerViewModel> GetOwners();
}
}
| 17.5 | 41 | 0.734694 | [
"Apache-2.0"
] | denka7a/ZooPrjectSoftuni | ZooUni/ZooUni/Services/Owner/IOwnerService.cs | 247 | C# |
/*
* Copyright 2018 Mikhail Shiryaev
*
* 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.
*
*
* Product : Rapid SCADA
* Module : ScadaWebCommon
* Summary : URL templates of the web application pages
*
* Author : Mikhail Shiryaev
* Created : 2016
* Modified : 2018
*/
namespace Scada.Web.Shell
{
/// <summary>
/// URL templates of the web application pages
/// <para>Шаблоны адресов страниц веб-приложения</para>
/// </summary>
public static class UrlTemplates
{
/// <summary>
/// Вход в систему с указанием ссылки для возврата
/// </summary>
public const string LoginWithReturn = "~/Login.aspx?return={0}";
/// <summary>
/// Вход в систему с указанием ссылки для возврата и выводом сообщения
/// </summary>
public const string LoginWithAlert = "~/Login.aspx?return={0}&alert={1}";
/// <summary>
/// Информация о пользователе
/// </summary>
public const string User = "~/User.aspx?userID={0}";
/// <summary>
/// Представление
/// </summary>
public const string View = "~/View.aspx?viewID={0}";
/// <summary>
/// Отсутствующее представление
/// </summary>
public const string NoView = "~/NoView.aspx";
/// <summary>
/// Сайт сбора статистики
/// </summary>
public const string Stats = "stats.rapidscada.net?serverID={0}";
}
}
| 30.584615 | 81 | 0.6167 | [
"Apache-2.0"
] | carquiza/scada | ScadaWeb/ScadaWeb/ScadaWebCommon/Shell/UrlTemplates.cs | 2,200 | 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.Buffers;
using System.Text;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Http.Features;
using Microsoft.AspNetCore.JsonPatch;
using Microsoft.AspNetCore.Mvc.ModelBinding;
using Microsoft.Extensions.Logging;
using Microsoft.Extensions.Logging.Abstractions;
using Microsoft.Extensions.ObjectPool;
using Moq;
using Newtonsoft.Json;
namespace Microsoft.AspNetCore.Mvc.Formatters;
public class NewtonsoftJsonPatchInputFormatterTest
{
private static readonly ObjectPoolProvider _objectPoolProvider = new DefaultObjectPoolProvider();
private static readonly JsonSerializerSettings _serializerSettings = new JsonSerializerSettings();
[Fact]
public async Task Constructor_BuffersRequestBody_ByDefault()
{
// Arrange
var formatter = new NewtonsoftJsonPatchInputFormatter(
GetLogger(),
_serializerSettings,
ArrayPool<char>.Shared,
_objectPoolProvider,
new MvcOptions(),
new MvcNewtonsoftJsonOptions());
var content = "[{\"op\":\"add\",\"path\":\"Customer/Name\",\"value\":\"John\"}]";
var contentBytes = Encoding.UTF8.GetBytes(content);
var httpContext = new DefaultHttpContext();
httpContext.Features.Set<IHttpResponseFeature>(new TestResponseFeature());
httpContext.Request.Body = new NonSeekableReadStream(contentBytes, allowSyncReads: false);
httpContext.Request.ContentType = "application/json";
var formatterContext = CreateInputFormatterContext(typeof(JsonPatchDocument<Customer>), httpContext);
// Act
var result = await formatter.ReadAsync(formatterContext);
// Assert
Assert.False(result.HasError);
var patchDocument = Assert.IsType<JsonPatchDocument<Customer>>(result.Model);
Assert.Equal("add", patchDocument.Operations[0].op);
Assert.Equal("Customer/Name", patchDocument.Operations[0].path);
Assert.Equal("John", patchDocument.Operations[0].value);
}
[Fact]
public async Task Constructor_SuppressInputFormatterBuffering_DoesNotBufferRequestBody()
{
// Arrange
var mvcOptions = new MvcOptions()
{
SuppressInputFormatterBuffering = false,
};
var formatter = new NewtonsoftJsonPatchInputFormatter(
GetLogger(),
_serializerSettings,
ArrayPool<char>.Shared,
_objectPoolProvider,
mvcOptions,
new MvcNewtonsoftJsonOptions());
var content = "[{\"op\":\"add\",\"path\":\"Customer/Name\",\"value\":\"John\"}]";
var contentBytes = Encoding.UTF8.GetBytes(content);
var httpContext = new DefaultHttpContext();
httpContext.Features.Set<IHttpResponseFeature>(new TestResponseFeature());
httpContext.Request.Body = new NonSeekableReadStream(contentBytes);
httpContext.Request.ContentType = "application/json";
var formatterContext = CreateInputFormatterContext(typeof(JsonPatchDocument<Customer>), httpContext);
// Act
// Mutate options after passing into the constructor to make sure that the value type is not store in the constructor
mvcOptions.SuppressInputFormatterBuffering = true;
var result = await formatter.ReadAsync(formatterContext);
// Assert
Assert.False(result.HasError);
var patchDocument = Assert.IsType<JsonPatchDocument<Customer>>(result.Model);
Assert.Equal("add", patchDocument.Operations[0].op);
Assert.Equal("Customer/Name", patchDocument.Operations[0].path);
Assert.Equal("John", patchDocument.Operations[0].value);
Assert.False(httpContext.Request.Body.CanSeek);
result = await formatter.ReadAsync(formatterContext);
// Assert
Assert.False(result.HasError);
Assert.Null(result.Model);
}
[Fact]
public async Task JsonPatchInputFormatter_ReadsOneOperation_Successfully()
{
// Arrange
var formatter = CreateFormatter();
var content = "[{\"op\":\"add\",\"path\":\"Customer/Name\",\"value\":\"John\"}]";
var contentBytes = Encoding.UTF8.GetBytes(content);
var httpContext = CreateHttpContext(contentBytes);
var formatterContext = CreateInputFormatterContext(typeof(JsonPatchDocument<Customer>), httpContext);
// Act
var result = await formatter.ReadAsync(formatterContext);
// Assert
Assert.False(result.HasError);
var patchDocument = Assert.IsType<JsonPatchDocument<Customer>>(result.Model);
Assert.Equal("add", patchDocument.Operations[0].op);
Assert.Equal("Customer/Name", patchDocument.Operations[0].path);
Assert.Equal("John", patchDocument.Operations[0].value);
}
[Fact]
public async Task JsonPatchInputFormatter_ReadsMultipleOperations_Successfully()
{
// Arrange
var formatter = CreateFormatter();
var content = "[{\"op\": \"add\", \"path\" : \"Customer/Name\", \"value\":\"John\"}," +
"{\"op\": \"remove\", \"path\" : \"Customer/Name\"}]";
var contentBytes = Encoding.UTF8.GetBytes(content);
var httpContext = CreateHttpContext(contentBytes);
var formatterContext = CreateInputFormatterContext(typeof(JsonPatchDocument<Customer>), httpContext);
// Act
var result = await formatter.ReadAsync(formatterContext);
// Assert
Assert.False(result.HasError);
var patchDocument = Assert.IsType<JsonPatchDocument<Customer>>(result.Model);
Assert.Equal("add", patchDocument.Operations[0].op);
Assert.Equal("Customer/Name", patchDocument.Operations[0].path);
Assert.Equal("John", patchDocument.Operations[0].value);
Assert.Equal("remove", patchDocument.Operations[1].op);
Assert.Equal("Customer/Name", patchDocument.Operations[1].path);
}
[Theory]
[InlineData("application/json-patch+json", true)]
[InlineData("application/json", false)]
[InlineData("application/*", false)]
[InlineData("*/*", false)]
public void CanRead_ReturnsTrueOnlyForJsonPatchContentType(string requestContentType, bool expectedCanRead)
{
// Arrange
var formatter = CreateFormatter();
var content = "[{\"op\": \"add\", \"path\" : \"Customer/Name\", \"value\":\"John\"}]";
var contentBytes = Encoding.UTF8.GetBytes(content);
var httpContext = CreateHttpContext(contentBytes, contentType: requestContentType);
var formatterContext = CreateInputFormatterContext(typeof(JsonPatchDocument<Customer>), httpContext);
// Act
var result = formatter.CanRead(formatterContext);
// Assert
Assert.Equal(expectedCanRead, result);
}
[Theory]
[InlineData(typeof(Customer))]
[InlineData(typeof(IJsonPatchDocument))]
public void CanRead_ReturnsFalse_NonJsonPatchContentType(Type modelType)
{
// Arrange
var formatter = CreateFormatter();
var content = "[{\"op\": \"add\", \"path\" : \"Customer/Name\", \"value\":\"John\"}]";
var contentBytes = Encoding.UTF8.GetBytes(content);
var httpContext = CreateHttpContext(contentBytes, contentType: "application/json-patch+json");
var provider = new EmptyModelMetadataProvider();
var metadata = provider.GetMetadataForType(modelType);
var formatterContext = CreateInputFormatterContext(modelType, httpContext);
// Act
var result = formatter.CanRead(formatterContext);
// Assert
Assert.False(result);
}
[Fact]
public async Task JsonPatchInputFormatter_ReturnsModelStateErrors_InvalidModelType()
{
// Arrange
var exceptionMessage = "Cannot deserialize the current JSON array (e.g. [1,2,3]) into type " +
$"'{typeof(Customer).FullName}' because the type requires a JSON object ";
// This test relies on 2.1 error message behavior
var formatter = CreateFormatter(allowInputFormatterExceptionMessages: true);
var content = "[{\"op\": \"add\", \"path\" : \"Customer/Name\", \"value\":\"John\"}]";
var contentBytes = Encoding.UTF8.GetBytes(content);
var httpContext = CreateHttpContext(contentBytes, contentType: "application/json-patch+json");
var formatterContext = CreateInputFormatterContext(typeof(Customer), httpContext);
// Act
var result = await formatter.ReadAsync(formatterContext);
// Assert
Assert.True(result.HasError);
Assert.Contains(exceptionMessage, formatterContext.ModelState[""].Errors[0].ErrorMessage);
}
private static ILogger GetLogger()
{
return NullLogger.Instance;
}
private NewtonsoftJsonPatchInputFormatter CreateFormatter(bool allowInputFormatterExceptionMessages = false)
{
return new NewtonsoftJsonPatchInputFormatter(
NullLogger.Instance,
_serializerSettings,
ArrayPool<char>.Shared,
_objectPoolProvider,
new MvcOptions(),
new MvcNewtonsoftJsonOptions()
{
AllowInputFormatterExceptionMessages = allowInputFormatterExceptionMessages,
});
}
private InputFormatterContext CreateInputFormatterContext(Type modelType, HttpContext httpContext)
{
var provider = new EmptyModelMetadataProvider();
var metadata = provider.GetMetadataForType(modelType);
return new InputFormatterContext(
httpContext,
modelName: string.Empty,
modelState: new ModelStateDictionary(),
metadata: metadata,
readerFactory: new TestHttpRequestStreamReaderFactory().CreateReader);
}
private static HttpContext CreateHttpContext(
byte[] contentBytes,
string contentType = "application/json-patch+json")
{
var request = new Mock<HttpRequest>();
var headers = new Mock<IHeaderDictionary>();
request.SetupGet(r => r.Headers).Returns(headers.Object);
request.SetupGet(f => f.Body).Returns(new MemoryStream(contentBytes));
request.SetupGet(f => f.ContentType).Returns(contentType);
request.SetupGet(f => f.ContentLength).Returns(contentBytes.Length);
var httpContext = new Mock<HttpContext>();
var features = new Mock<IFeatureCollection>();
httpContext.SetupGet(c => c.Request).Returns(request.Object);
httpContext.SetupGet(c => c.Features).Returns(features.Object);
return httpContext.Object;
}
private class Customer
{
public string Name { get; set; }
}
private class TestResponseFeature : HttpResponseFeature
{
public override void OnCompleted(Func<object, Task> callback, object state)
{
// do not do anything
}
}
}
| 38.768421 | 125 | 0.66911 | [
"MIT"
] | 3ejki/aspnetcore | src/Mvc/Mvc.NewtonsoftJson/test/NewtonsoftJsonPatchInputFormatterTest.cs | 11,049 | C# |
using System;
using System.Linq;
using Models;
namespace Core.Windows
{
public class Window
{
protected Symbol[][] matrix;
private int layer;
// the Y and X of the top left corner of the window
protected int pinY;
protected int pinX;
protected int width;
protected int height;
protected string title;
/// <param name="title">Max allowed length of title is Globals.MAX_WINDOW_TITLE_LEN</param>
/// <param name="pinY">Y of the top left corner of the window</param>
/// <param name="pinX">X of the top left corner of the window</param>
/// <param name="width">Window's width cannot be smaller than Globals.MAX_WINDOW_TITLE_LEN + 2</param>
/// <param name="height">Window's height cannot be smaller than 2</param>
public Window(string title, int pinY, int pinX, int width, int height, int layer = 0)
{
this.Title = title;
this.Layer = layer;
this.PinY = pinY;
this.PinX = pinX;
this.Width = width;
this.Height = height;
this.TopLeftCorner = new Corner(pinX, pinY);
this.TopRightCorner = new Corner(pinX + width, pinY);
this.BottomLeftCorner = new Corner(pinX, pinY + height);
this.BottomRightCorner = new Corner(pinX + width, pinY + height);
matrix = new Symbol[Height][];
for (int i = 0; i < Height; i++)
{
matrix[i] = new Symbol[Width];
for (int j = 0; j < Width; j++)
{
matrix[i][j] = new Symbol();
}
}
}
public Symbol[][] Matrix
{
get
{
return this.matrix;
}
set => this.matrix = value;
}
public int Layer
{
get
{
return this.layer;
}
set
{
if (value < 0)
throw new ArgumentException("Layer cannot be less than 0");
this.layer = value;
}
}
public int PinY
{
get
{
return this.pinY;
}
set
{
if (value < 0)
throw new ArgumentException($"{nameof(value)} cannot be negative");
if (value > Engine.ConsoleHeight - 1)
throw new ArgumentException($"{nameof(value)} cannot be bigger than Console window's heigth ({Engine.ConsoleHeight})");
this.pinY = value;
}
}
public int PinX
{
get
{
return this.pinX;
}
set
{
if (value < 0)
throw new ArgumentException($"{nameof(value)} cannot be negative");
if (value > Engine.ConsoleWidth - 1)
throw new ArgumentException($"{nameof(value)} cannot be bigger than Console window's width ({Engine.ConsoleWidth})");
this.pinX = value;
}
}
public int Width
{
get
{
return this.width;
}
set
{
if (value < 2)
throw new ArgumentException("Window's width cannot be smaller than 2");
if (this.PinX + value > Engine.ConsoleWidth)
throw new ArgumentException("Window's width is too big and the window goes out of the console window");
this.width = value;
}
}
public int Height
{
get
{
return this.height;
}
set
{
if (value < 1)
throw new ArgumentException("Window's height cannot be smaller than 1");
if (this.PinY + value > Engine.ConsoleHeight)
throw new ArgumentException("Window's height is too big and the window goes out of the console window");
this.height = value;
}
}
protected int CurrRow { get; set; }
public Corner TopLeftCorner { get; }
public Corner TopRightCorner { get; }
public Corner BottomLeftCorner { get; }
public Corner BottomRightCorner { get; }
public virtual string Title { get => title; set => title = value; }
public virtual void SetSymbol(Symbol sym, int y, int x)
{
matrix[y][x] = sym;
}
public virtual void SetTextLine(Symbol[] text, int row)
{
if (text.Length >= this.matrix[0].Length)
throw new ArgumentException("Text's length is longer than window's width");
for (int col = 0; col < text.Length; col++)
{
this.matrix[row][col] = text[col];
}
}
/// <summary>
/// This Window fills out his final position on the base layer with pinCordinates in mind
/// </summary>
/// <param name="baseLayer"> </param>
public virtual void Imprint(Symbol[][] baseLayer)
{
for (int y = 0; y < Height; y++)
{
for (int x = 0; x < Width; x++)
{
baseLayer[pinY + y][PinX + x] = matrix[y][x];
}
}
}
public virtual void Update(Symbol[][] newMatrix)
{
if (newMatrix.Length != matrix.Length || newMatrix[0].Length != matrix[0].Length)
{
throw new ArgumentException($"Can't update {title} window because, does not match the window size. ");
}
matrix = newMatrix;
}
/// <summary>
///
/// </summary>
/// <param name="curentlyActiveTiles">Sparse representation of the currently active tiles</param>
public virtual void Update(Position[] curentlyActiveTiles)
{
Clear();
foreach (var tile in curentlyActiveTiles)
{
matrix[tile.CordY][tile.CordX] = tile.Tile.Representation();
}
}
public virtual void Clear()
{
for (int row = 0; row <= this.Height - 1; row++)
{
this.ClearRow(row);
}
}
public virtual void ClearRow(int row)
{
this.matrix[row] =
this.Matrix[row].Select(symb =>
{
return new Symbol(' ');
})
.ToArray();
}
}
}
| 30.214286 | 139 | 0.4737 | [
"MIT"
] | Alexander-Stanchev/RPG-Project | Core/Windows/Window.cs | 6,770 | C# |
using System;
using System.Collections.Generic;
using System.Text;
namespace L04.PersonClass
{
public class BankAccount
{
private int id;
public int ID
{
get { return id; }
set { id = value; }
}
private decimal balance;
public decimal Balance
{
get { return balance; }
set { balance = value; }
}
public void Deposit(decimal amount)
{
Balance += amount;
}
public void Withdraw(decimal amount)
{
if (Balance < amount)
{
Console.WriteLine("Insufficient balance");
return;
}
Balance -= amount;
}
public override string ToString()
{
return $"Account ID{ID}, balance {Balance:F2}";
}
}
}
| 19.347826 | 59 | 0.47191 | [
"MIT"
] | KonstantinRupchanski/CSharp-OOP-Basics | DefiningClasses/L04.PersonClass/BankAccount.cs | 892 | C# |
using System.Data;
namespace WebJobDemo.Core.Data
{
public interface IConnectionFactory
{
IDbConnection Create(string connectionString);
}
}
| 16.3 | 54 | 0.711656 | [
"MIT"
] | tvanfosson/azure-web-jobs-demo | WebJobsDemo/Core/Data/IConnectionFactory.cs | 165 | C# |
namespace OpenClosedShoppingCartAfter
{
using System.Collections.Generic;
using OpenClosedShoppingCartAfter.Contracts;
public class Cart
{
private readonly List<ITotalizer> items;
public Cart()
{
this.items = new List<ITotalizer>();
}
public IEnumerable<ITotalizer> Items
{
get { return new List<ITotalizer>(this.items); }
}
public string CustomerEmail { get; set; }
public void Add(ITotalizer orderItem)
{
this.items.Add(orderItem);
}
public decimal TotalAmount()
{
decimal total = 0m;
foreach (ITotalizer orderItem in this.Items)
{
total += orderItem.GetTotal();
// more rules are coming!
}
return total;
}
}
} | 22 | 60 | 0.531818 | [
"MIT"
] | ciprian-stingu/c-sharp-hw-day5 | SOLID and Other Principles/2. Open - Closed/3.2. After - Shopping Cart/Cart.cs | 880 | C# |
using System.Collections.Generic;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Authorization;
using FavoriteStations.Models.Dto;
using FavoriteStations.Extensions;
using FavoriteStations.Services;
using FavoriteStations.Filters;
namespace FavoriteStations.Controllers {
/// <summary>
/// RESTful resource which abstracts all of the favorite stations associated with the current authenticated user
/// </summary>
[Authorize]
[ValidateModel]
[ApiController]
[Route("[controller]")]
public class UserStationsController : ControllerBase {
private readonly IBusinessLayer businessLayer;
public UserStationsController(IBusinessLayer businessLayer) {
this.businessLayer = businessLayer;
}
/// <summary>
/// Fetch all stations associated with the authenticated user
/// </summary>
/// <response code="200">The favorite stations associated with the current user</response>
[ProducesResponseType(StatusCodes.Status200OK)]
[HttpGet]
public async Task<IEnumerable<StationDto>> Get() {
return await this.businessLayer.GetAllStations();
}
/// <summary>
/// Fetch a specific station associated with the authenticated user
/// </summary>
/// <param name="id">Id of the station to retrieve</param>
/// <response code="200">The requested station was found</response>
/// <response code="403">The requested station does not belong to the authenticated user</response>
/// <response code="404">The requested station id was not found</response>
[HttpGet("{id}")]
[ProducesResponseType(StatusCodes.Status200OK)]
[ProducesResponseType(StatusCodes.Status403Forbidden)]
[ProducesResponseType(StatusCodes.Status404NotFound)]
public async Task<IActionResult> Get(int id) {
var result = await this.businessLayer.GetStationAsync(id);
return result.Match<IActionResult>(
success => Ok(result.RightValue),
failure => failure.ToActionResult()
);
}
/// <summary>
/// Create a new station for the authenticated user
/// </summary>
/// <param name="create">The new station to create</param>
/// <response code="201">The station was created</response>
[HttpPost]
[ProducesResponseType(StatusCodes.Status201Created)]
public async Task<IActionResult> Post([FromBody] StationCreateUpdateDto create) {
var created = await this.businessLayer.CreateStationAsync(create);
return Created($"UserStations/{created.StationId}", created);
}
/// <summary>
/// Update the specified existing station
/// </summary>
/// <param name="id">The id of the station to update</param>
/// <param name="update">The new representation of the specified station</param>
/// <response code="200">The station was updated</response>
/// <response code="403">The specified station does not belong to the authenticated user</response>
/// <response code="404">The specified station id was not found</response>
[HttpPut("{id}")]
[ProducesResponseType(StatusCodes.Status200OK)]
[ProducesResponseType(StatusCodes.Status403Forbidden)]
[ProducesResponseType(StatusCodes.Status404NotFound)]
public async Task<IActionResult> Put(int id, [FromBody] StationCreateUpdateDto update) {
var result = await this.businessLayer.UpdateStationAsync(update, id);
return result.Match<IActionResult>(
success => Ok(result.RightValue),
failure => failure.ToActionResult()
);
}
/// <summary>
/// Delete the specified station
/// </summary>
/// <param name="id">The id of the station to delete</param>
/// <response code="204">The station was deleted</response>
/// <response code="403">The specified station does not belong to the authenticated user</response>
/// <response code="404">The specified station id was not found</response>
[HttpDelete("{id}")]
[ProducesResponseType(StatusCodes.Status204NoContent)]
[ProducesResponseType(StatusCodes.Status403Forbidden)]
[ProducesResponseType(StatusCodes.Status404NotFound)]
public async Task<IActionResult> Delete(int id) {
var result = await this.businessLayer.DeleteStationAsync(id);
return result.Match<IActionResult>(
success => NoContent(),
failure => failure.ToActionResult()
);
}
}
}
| 44.841121 | 116 | 0.651938 | [
"MIT"
] | pfbrowning/favorite-stations-api | FavoriteStations.API/Controllers/UserStationsController.cs | 4,798 | C# |
// Licensed to the .NET Foundation under one or more agreements.
// The .NET Foundation licenses this file to you under the MIT license.
using System;
using System.Runtime.InteropServices;
using System.Runtime.CompilerServices;
using System.Text;
using Silk.NET.Core;
using Silk.NET.Core.Native;
using Silk.NET.Core.Attributes;
using Silk.NET.Core.Contexts;
using Silk.NET.Core.Loader;
#pragma warning disable 1591
namespace Silk.NET.Vulkan
{
[NativeName("Name", "VkPerformanceValueINTEL")]
public unsafe partial struct PerformanceValueINTEL
{
public PerformanceValueINTEL
(
PerformanceValueTypeINTEL? type = null,
PerformanceValueDataINTEL? data = null
) : this()
{
if (type is not null)
{
Type = type.Value;
}
if (data is not null)
{
Data = data.Value;
}
}
/// <summary></summary>
[NativeName("Type", "VkPerformanceValueTypeINTEL")]
[NativeName("Type.Name", "VkPerformanceValueTypeINTEL")]
[NativeName("Name", "type")]
public PerformanceValueTypeINTEL Type;
/// <summary></summary>
[NativeName("Type", "VkPerformanceValueDataINTEL")]
[NativeName("Type.Name", "VkPerformanceValueDataINTEL")]
[NativeName("Name", "data")]
public PerformanceValueDataINTEL Data;
}
}
| 27.823529 | 71 | 0.631431 | [
"MIT"
] | Ar37-rs/Silk.NET | src/Vulkan/Silk.NET.Vulkan/Structs/PerformanceValueINTEL.gen.cs | 1,419 | C# |
using System;
namespace XDMessaging.Transport.WindowsMessaging
{
internal sealed class WindowEnumFilter
{
private readonly string property;
public WindowEnumFilter(string property)
{
this.property = property;
}
public void WindowFilterHandler(IntPtr hWnd, ref bool include)
{
if (Native.GetProp(hWnd, property) == 0)
{
include = false;
}
}
}
} | 21.772727 | 70 | 0.561587 | [
"MIT"
] | Difference/XDMessaging.Net | src/XDMessaging.Lite/Transport/WindowsMessaging/WindowEnumFilter.cs | 481 | C# |
using System.Threading;
namespace ConciseDesign.WPF.Message
{
/// <summary>
/// 本地通知服务
/// </summary>
public interface ILocalMessageService
{
void Raise(string msg, AlertType alertType);
void Raise(IAlertMessage message);
void Warning(string msg);
void Message(string msg);
}
public class LocalMessageService : ILocalMessageService
{
public void Raise(string msg, AlertType alertType)
{
Raise(new AlertMessage() {
Message = msg,
AlertType = alertType
});
}
public void Raise(IAlertMessage message)
{
var thread = new Thread(() =>
{
var win = new Windows.AlertMessageWindow((AlertMessage)message);
win.ShowDialog();
System.Windows.Threading.Dispatcher.Run();
})
{ IsBackground = true };
thread.SetApartmentState(ApartmentState.STA);
thread.Start();
}
public void Warning(string msg)
{
Raise(new AlertMessage() {
AlertType=AlertType.Warning,
Message = msg
});
}
public void Message(string msg)
{
Raise(new AlertMessage() {
AlertType = AlertType.Message,
Message = msg
});
}
}
} | 25.172414 | 84 | 0.503425 | [
"Apache-2.0"
] | migeyusu/ConciseDesign | ConciseDesign/Message/ILocalMessageService.cs | 1,474 | C# |
using TMPro;
using UdonSharp;
using UnityEngine;
using UnityEngine.UI;
using VRC.SDKBase;
using VRC.Udon;
namespace VRCBilliards
{
public class PoolMenu : UdonSharpBehaviour
{
private PoolStateManager manager;
[Header("Style")]
public Color selectedColor = Color.white;
public Color unselectedColor = Color.gray;
[Header("Menu / Buttons")]
public bool useUnityUI;
public Button player1UIButton;
public Button player2UIButton;
public Button player3UIButton;
public Button player4UIButton;
public GameObject resetGameButton;
public GameObject lockMenu;
public GameObject mainMenu;
public GameObject startGameButton;
[Header("Game Mode")]
public TextMeshProUGUI gameModeTxt;
public Image[] gameModeButtons = { };
[Header("Guide Line")]
public bool toggleGuideLineButtonsActive = true;
public GameObject guideLineEnableButton;
public GameObject guideLineDisableButton;
public TextMeshProUGUI guidelineStatus;
public Image[] guideLineButtons = { };
[Header("Timer")]
public TextMeshProUGUI timer;
public string noTimerText = "No Limit";
public string timerValueText = "{}s Limit";
public Image timerButton, noTimerButton;
public TextMeshProUGUI visibleTimerDuringGame;
public Image timerCountdown;
public string timerOutputFormat = "{} seconds remaining";
[Header("Teams")]
public TextMeshProUGUI teamsTxt;
public Image[] teamsButtons = { };
[Header("Players")]
public GameObject player1Button;
public GameObject player2Button;
public GameObject player3Button;
public GameObject player4Button;
public GameObject leaveButton;
public string defaultEmptyPlayerSlotText = "<color=grey>Player {}</color>";
public TextMeshProUGUI player1MenuText;
public TextMeshProUGUI player2MenuText;
public TextMeshProUGUI player3MenuText;
public TextMeshProUGUI player4MenuText;
[Header("Score")]
[Tooltip("A specific score display that only shows during gameplay. If this is populated, the table info display will be hidden during gameplay.")]
public GameObject inGameScoreDisplay;
[Tooltip("The table information screen. This will be hidden during games if the in-game score display is populated.")]
public GameObject tableInfoScreen;
public GameObject[] scores;
public GameObject player1Score;
public GameObject player2Score;
public GameObject player3Score;
public GameObject player4Score;
public GameObject teamAScore;
public GameObject teamBScore;
private TextMeshProUGUI[] player1Scores;
private TextMeshProUGUI[] player2Scores;
private TextMeshProUGUI[] player3Scores;
private TextMeshProUGUI[] player4Scores;
private TextMeshProUGUI[] teamAScores;
private TextMeshProUGUI[] teamBScores;
public TextMeshProUGUI winnerText;
[Header("UdonChips Integration")]
public string defaultEmptyplayerSlotTextWithUdonChips = "{}uc to play";
private bool isTeams;
private bool isSignedUpToPlay;
private bool canStartGame;
public void Start()
{
manager = transform.parent.GetComponentInChildren<PoolStateManager>();
if (!manager)
{
Debug.LogError($"A VRCBCE menu, {name}, cannot start because it cannot find a PoolStateManager in the children of its parent!");
gameObject.SetActive(false);
return;
}
player1Scores = new TextMeshProUGUI[scores.Length];
player2Scores = new TextMeshProUGUI[scores.Length];
player3Scores = new TextMeshProUGUI[scores.Length];
player4Scores = new TextMeshProUGUI[scores.Length];
teamAScores = new TextMeshProUGUI[scores.Length];
teamBScores = new TextMeshProUGUI[scores.Length];
for (int i = 0; i < scores.Length; i++)
{
player1Scores[i] = scores[i].transform.Find(player1Score.name).GetComponent<TextMeshProUGUI>();
player2Scores[i] = scores[i].transform.Find(player2Score.name).GetComponent<TextMeshProUGUI>();
player3Scores[i] = scores[i].transform.Find(player3Score.name).GetComponent<TextMeshProUGUI>();
player4Scores[i] = scores[i].transform.Find(player4Score.name).GetComponent<TextMeshProUGUI>();
teamAScores[i] = scores[i].transform.Find(teamAScore.name).GetComponent<TextMeshProUGUI>();
teamBScores[i] = scores[i].transform.Find(teamBScore.name).GetComponent<TextMeshProUGUI>();
}
}
// TODO: This all needs to be secured.
public void _UnlockTable()
{
manager._UnlockTable();
}
public void _LockTable()
{
manager._LockTable();
}
public void _SelectTeams()
{
manager._SelectTeams();
}
public void _DeselectTeams()
{
manager._DeselectTeams();
}
public void _Select4BallJapanese()
{
manager._Select4BallJapanese();
}
public void _Select4BallKorean()
{
manager._Select4BallKorean();
}
public void _Select8Ball()
{
manager._Select8Ball();
}
public void _Select9Ball()
{
manager._Select9Ball();
}
public void _IncreaseTimer()
{
manager._IncreaseTimer();
}
public void _DecreaseTimer()
{
manager._DecreaseTimer();
}
public void _EnableGuideline()
{
manager._EnableGuideline();
}
public void _DisableGuideline()
{
manager._DisableGuideline();
}
public void _SignUpAsPlayer1()
{
if (!isSignedUpToPlay)
{
manager._JoinGame(0);
}
else
{
manager._Raise();
}
}
public void _SignUpAsPlayer2()
{
if (!isSignedUpToPlay)
{
manager._JoinGame(1);
}
}
public void _SignUpAsPlayer3()
{
if (!isSignedUpToPlay)
{
manager._JoinGame(2);
}
}
public void _SignUpAsPlayer4()
{
if (!isSignedUpToPlay)
{
manager._JoinGame(3);
}
}
public void _LeaveGame()
{
manager._LeaveGame();
}
public void _StartGame()
{
if (canStartGame)
{
manager._StartNewGame();
}
}
public void _EndGame()
{
if (isSignedUpToPlay)
{
manager._ForceReset();
}
}
public void _EnableResetButton()
{
resetGameButton.SetActive(true);
lockMenu.SetActive(false);
mainMenu.SetActive(false);
winnerText.text = "";
if (inGameScoreDisplay)
{
inGameScoreDisplay.SetActive(true);
if (tableInfoScreen)
{
tableInfoScreen.SetActive(false);
}
}
}
public void _EnableUnlockTableButton()
{
resetGameButton.SetActive(false);
lockMenu.SetActive(true);
mainMenu.SetActive(false);
ResetScoreScreen();
}
public void _EnableMainMenu()
{
resetGameButton.SetActive(false);
lockMenu.SetActive(false);
mainMenu.SetActive(true);
visibleTimerDuringGame.text = "";
if (inGameScoreDisplay)
{
inGameScoreDisplay.SetActive(false);
}
if (tableInfoScreen)
{
tableInfoScreen.SetActive(true);
}
}
private void UpdateButtonColors(Image[] buttons, int selectedIndex)
{
if (buttons == null) return;
for (int i = 0; i < buttons.Length; i++)
{
if (buttons[i] == null) continue;
buttons[i].color = i == selectedIndex ? selectedColor : unselectedColor;
}
}
/// <summary>
/// Recieve a new set of data from the manager that can be displayed to viewers.
/// </summary>
public void _UpdateMainMenuView(
bool newIsTeams,
bool isTeam2Playing,
int gameMode,
bool isKorean4Ball,
int timerMode,
int player1ID,
int player2ID,
int player3ID,
int player4ID,
bool guideline
)
{
if (newIsTeams)
{
if (Utilities.IsValid(teamsTxt)) teamsTxt.text = "Teams: YES";
isTeams = true;
}
else
{
if (Utilities.IsValid(teamsTxt)) teamsTxt.text = "Teams: NO";
isTeams = false;
}
UpdateButtonColors(teamsButtons, newIsTeams ? 0 : 1);
switch (gameMode)
{
case 0:
if (Utilities.IsValid(gameModeTxt)) gameModeTxt.text = "American 8-Ball";
UpdateButtonColors(gameModeButtons, 0);
break;
case 1:
if (Utilities.IsValid(gameModeTxt)) gameModeTxt.text = "American 9-Ball";
UpdateButtonColors(gameModeButtons, 1);
break;
case 2:
if (isKorean4Ball)
{
if (Utilities.IsValid(gameModeTxt)) gameModeTxt.text = "Korean 4-Ball";
UpdateButtonColors(gameModeButtons, 3);
}
else
{
if (Utilities.IsValid(gameModeTxt)) gameModeTxt.text = "Japanese 4-Ball";
UpdateButtonColors(gameModeButtons, 2);
}
break;
}
switch (timerMode)
{
case 0:
if (Utilities.IsValid(timer)) timer.text = noTimerText;
break;
case 1:
if (Utilities.IsValid(timer)) timer.text = timerValueText.Replace("{}", "10");
break;
case 2:
if (Utilities.IsValid(timer)) timer.text = timerValueText.Replace("{}", "15");
break;
case 3:
if (Utilities.IsValid(timer)) timer.text = timerValueText.Replace("{}", "30");
break;
case 4:
if (Utilities.IsValid(timer)) timer.text = timerValueText.Replace("{}", "60");
break;
}
if (Utilities.IsValid(timerButton)) timerButton.color = timerMode != 0 ? selectedColor : unselectedColor;
if (Utilities.IsValid(noTimerButton)) noTimerButton.color = timerMode == 0 ? selectedColor : unselectedColor;
leaveButton.SetActive(false);
if (useUnityUI)
{
player1UIButton.interactable = false;
player2UIButton.interactable = false;
player3UIButton.interactable = false;
player4UIButton.interactable = false;
}
else
{
player1Button.SetActive(false);
player2Button.SetActive(false);
player3Button.SetActive(false);
player4Button.SetActive(false);
}
bool found = false;
var defaultText = manager.enableUdonChips
? defaultEmptyplayerSlotTextWithUdonChips.Replace("{}", (manager.price * manager.raiseCount).ToString())
: defaultEmptyPlayerSlotText;
if (player1ID > 0)
{
found = HandlePlayerState(player1MenuText, player1Scores, VRCPlayerApi.GetPlayerById(player1ID));
}
else
{
player1MenuText.text = defaultText.Replace("{}", "1");
foreach (var score in player1Scores)
{
score.text = "";
}
}
if (player2ID > 0)
{
found = HandlePlayerState(player2MenuText, player2Scores, VRCPlayerApi.GetPlayerById(player2ID));
}
else
{
player2MenuText.text = defaultText.Replace("{}", "2");
foreach (var score in player2Scores)
{
score.text = "";
}
}
if (player3ID > 0)
{
found = HandlePlayerState(player3MenuText, player3Scores, VRCPlayerApi.GetPlayerById(player3ID));
}
else
{
player3MenuText.text = newIsTeams ? defaultText.Replace("{}", "3") : "";
foreach (var score in player3Scores)
{
score.text = "";
}
}
if (player4ID > 0)
{
found = HandlePlayerState(player4MenuText, player4Scores, VRCPlayerApi.GetPlayerById(player4ID));
}
else
{
player4MenuText.text = newIsTeams ? defaultText.Replace("{}", "4") : "";
foreach (var score in player4Scores)
{
score.text = "";
}
}
int id = Networking.LocalPlayer.playerId;
if (id == player1ID || id == player2ID || id == player3ID || id == player4ID)
{
isSignedUpToPlay = true;
if (id == player1ID)
{
canStartGame = true;
startGameButton.SetActive(true);
}
else
{
canStartGame = false;
startGameButton.SetActive(false);
}
}
else
{
isSignedUpToPlay = false;
canStartGame = false;
startGameButton.SetActive(false);
}
if (!found)
{
if (useUnityUI)
{
player1UIButton.interactable = true;
player2UIButton.interactable = true;
}
else
{
player1Button.SetActive(true);
player2Button.SetActive(true);
}
if (newIsTeams)
{
if (useUnityUI)
{
player3UIButton.interactable = true;
player4UIButton.interactable = true;
}
else
{
player3Button.SetActive(true);
player4Button.SetActive(true);
}
}
}
if (guideline)
{
if (toggleGuideLineButtonsActive && !useUnityUI)
{
guideLineDisableButton.SetActive(true);
guideLineEnableButton.SetActive(false);
}
UpdateButtonColors(guideLineButtons, 0);
if (Utilities.IsValid(guidelineStatus)) guidelineStatus.text = "Guideline On";
}
else
{
if (toggleGuideLineButtonsActive && !useUnityUI)
{
guideLineDisableButton.SetActive(false);
guideLineEnableButton.SetActive(true);
}
UpdateButtonColors(guideLineButtons, 1);
if (Utilities.IsValid(guidelineStatus)) guidelineStatus.text = "Guideline Off";
}
}
private bool HandlePlayerState(TextMeshProUGUI menuText, TextMeshProUGUI[] scores, VRCPlayerApi player)
{
if (!Utilities.IsValid(player))
{
return false;
}
menuText.text = player.displayName;
foreach (var score in scores)
{
score.text = player.displayName;
}
if (player.playerId == Networking.LocalPlayer.playerId)
{
leaveButton.SetActive(true);
if (useUnityUI)
{
player1UIButton.interactable = false;
player2UIButton.interactable = false;
player3UIButton.interactable = false;
player4UIButton.interactable = false;
}
else
{
player1Button.SetActive(manager.enableUdonChips && manager.allowRaising);
player2Button.SetActive(false);
player3Button.SetActive(false);
player4Button.SetActive(false);
}
return true;
}
return false;
}
public void _SetScore(bool isTeam2, int score)
{
if (score < 0)
{
foreach (var scoreText in teamAScores)
{
scoreText.text = "";
}
foreach (var scoreText in teamBScores)
{
scoreText.text = "";
}
return;
}
if (isTeam2)
{
foreach (var scoreText in teamBScores)
{
scoreText.text = $"{score}";
}
}
else
{
foreach (var scoreText in teamAScores)
{
scoreText.text = $"{score}";
}
}
}
public void _GameWasReset()
{
winnerText.text = "The game was ended!";
}
public void _TeamWins(bool isTeam2)
{
if (isTeams)
{
if (isTeam2)
{
winnerText.text = $"{player2Scores[0].text} and {player4Scores[0].text} win!";
}
else
{
winnerText.text = $"{player1Scores[0].text} and {player3Scores[0].text} win!";
}
}
else
{
if (isTeam2)
{
winnerText.text = $"{player2Scores[0].text} wins!";
}
else
{
winnerText.text = $"{player1Scores[0].text} wins!";
}
}
}
private void ResetScoreScreen()
{
foreach (var score in player1Scores)
{
score.text = "";
}
foreach (var score in player2Scores)
{
score.text = "";
}
foreach (var score in player3Scores)
{
score.text = "";
}
foreach (var score in player4Scores)
{
score.text = "";
}
foreach (var score in teamAScores)
{
score.text = "";
}
foreach (var score in teamBScores)
{
score.text = "";
}
winnerText.text = "";
}
}
}
| 30.207715 | 155 | 0.483939 | [
"MIT"
] | synergiance/vrcbce | Assets/VRCBilliardsCE/Scripts/PoolMenu.cs | 20,360 | C# |
using Newtonsoft.Json;
using System;
using System.Collections.Generic;
using System.Text;
namespace QBS.API.Example.Model
{
public class Company
{
public Guid id { get; set; }
public string systemVersion { get; set; }
public string name { get; set; }
public string displayName { get; set; }
public string businessProfileId { get; set; }
public DateTime systemCreatedAt { get; set; }
public string systemCreatedBy { get; set; }
public DateTime systemModifiedAt { get; set; }
public string systemModifiedBy { get; set; }
}
public class Customer
{
public Guid id { get; set; }
public string number { get; set; }
public string displayName { get; set; }
public string type { get; set; }
public string addressLine1 { get; set; }
public string addressLine2 { get; set; }
public string city { get; set; }
public string state { get; set; }
public string country { get; set; }
public string postalCode { get; set; }
public string phoneNumber { get; set; }
public string email { get; set; }
public string website { get; set; }
public bool taxLiable { get; set; }
public Guid taxAreaId { get; set; }
public string taxRegistrationNumber { get; set; }
public Guid currencyId { get; set; }
public string currencyCode { get; set; }
public Guid paymentTermsId { get; set; }
public Guid shipmentMethodId { get; set; }
public Guid paymentMethodId { get; set; }
public string blocked { get; set; }
}
public class Credentials
{
public string UserId { get; set; } = "Your User Here";
public string AccessKey { get; set; } = "Your Access Key from Business Central"
}
public class APIEndpoint
{
public string tenantId { get; set; } = "your tenant ID here";
public string companyId { get; set; } = "your company ID here";
public string apiPublisher { get; set; } = "api";
public string apiGroup { get; set; } = "";
public string apiVersion { get; set; } = "v2.0";
public string apiEndpoint { get; set; } = "";
public string sandBoxName { get; set; } = "sandbox";
public String getURI()
{
String uri = "";
if (apiEndpoint == "")
{
uri = (String.Format("https://api.businesscentral.dynamics.com/v2.0/{0}/{3}/{1}/{2}/companies",
tenantId, apiPublisher, apiVersion, sandBoxName));
}
else
{
if (apiGroup == "")
uri = (String.Format("https://api.businesscentral.dynamics.com/v2.0/{0}/{5}/{1}/{2}/companies({3})/{4}",
tenantId, apiPublisher, apiVersion, companyId, apiEndpoint, sandBoxName));
else
uri = (String.Format("https://api.businesscentral.dynamics.com/v2.0/{0}/{6}/{1}/{2}/{3}/companies({4})/{5}",
tenantId, apiPublisher, apiGroup, apiVersion, companyId, apiEndpoint, sandBoxName));
}
return uri;
}
}
}
| 38.855422 | 128 | 0.564341 | [
"MIT"
] | qbsgroup/QBS.API.Example | Model/Classes.cs | 3,227 | C# |
using System.Threading.Tasks;
using FluentAssertions;
using Microsoft.Extensions.Options;
using Xunit;
using Xunit.Abstractions;
#pragma warning disable VSTHRD200
namespace Sitko.Core.Configuration.Vault.Tests
{
public class ConfigurationTest : BaseVaultTest
{
public ConfigurationTest(ITestOutputHelper testOutputHelper) : base(testOutputHelper)
{
}
[Fact]
public async Task Get()
{
var scope = await GetScopeAsync();
var config = scope.GetService<IOptionsMonitor<TestConfig>>();
Assert.NotEqual(string.Empty, config.CurrentValue.Foo);
Assert.NotEqual(0, config.CurrentValue.Bar);
}
[Fact]
public async Task GetSecond()
{
var scope = await GetScopeAsync();
var config = scope.GetService<IOptionsMonitor<TestConfig2>>();
Assert.NotEqual(string.Empty, config.CurrentValue.Foo);
Assert.NotEqual(0, config.CurrentValue.Bar);
}
[Fact]
public async Task Module()
{
var scope = await GetScopeAsync();
var config = scope.GetService<IOptionsMonitor<TestModuleConfig>>();
Assert.NotEqual(string.Empty, config.CurrentValue.Foo);
Assert.NotEqual(0, config.CurrentValue.Bar);
}
[Fact]
public async Task ModuleConfigValidationFailure()
{
var result = await Assert.ThrowsAsync<OptionsValidationException>(async () =>
{
await GetScopeAsync<VaultTestScopeWithValidationFailure>();
});
result.Message.Should().Contain("Bar must equals zero");
}
}
}
#pragma warning restore VSTHRD200
| 31.709091 | 93 | 0.62156 | [
"MIT"
] | sitkoru/Sitko.Core | tests/Sitko.Core.Configuration.Vault.Tests/ConfigurationTest.cs | 1,746 | C# |
/*
* Request.cs
* UnityHTTP
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*
* Authors: Andy Burke
* Copyright: Copyright (c) 2015 andyburke
* License: GPL
*/
using UnityEngine;
using UnityHTTP.Enums;
using UnityHTTP.Exceptions;
using UnityHTTP.Cache;
using System;
using System.IO;
using System.Text;
using System.Collections;
using System.Collections.Generic;
using System.Net.Sockets;
using System.Globalization;
using System.Threading;
using System.Net.Security;
using System.Security.Authentication;
using System.Security.Cryptography.X509Certificates;
namespace UnityHTTP {
public class Request {
public static bool LogAllRequests = false;
public static bool VerboseLogging = false;
public RequestType method;
public string protocol = "HTTP/1.1";
public Uri uri;
public Stream byteStream;
public static byte[] EOL = { (byte)'\r', (byte)'\n' };
public Response response = null;
public bool isDone = false;
public int maximumRetryCount = 8;
public bool acceptGzip = true;
public bool useCache = false;
public Exception exception = null;
public RequestState state = RequestState.Waiting;
public long responseTime = 0;
public bool synchronous = false;
public int bufferSize = 4 * 1024;
public Action< UnityHTTP.Request > completedCallback = null;
Dictionary<string, List<string>> headers = new Dictionary<string, List<string>> ();
static Dictionary<string, string> etags = new Dictionary<string, string> ();
/// <summary>
/// Initializes a new instance of the <see cref="UnityHTTP.Request"/> class.
/// </summary>
/// <param name="method">Either GET or POST.</param>
/// <param name="uri">The URI to send to.</param>
public Request (RequestType method, string uri) {
this.method = method;
this.uri = new Uri (uri);
}
/// <summary>
/// Initializes a new instance of the <see cref="UnityHTTP.Request"/> class.
/// Assumed to be a POST due to the byte[] being included.
/// </summary>
/// <param name="method">Method.</param>
/// <param name="uri">URI.</param>
/// <param name="bytes">Bytes.</param>
public Request (RequestType method, string uri, byte[] bytes) {
this.method = method;
this.uri = new Uri (uri);
this.byteStream = new MemoryStream(bytes);
}
/// <summary>
/// Adds a header to the HTTP Request.
/// </summary>
/// <param name="name">Name of the header.</param>
/// <param name="value">The header value.</param>
public void AddHeader (string name, string value) {
name = name.ToLower ().Trim ();
value = value.Trim ();
if (!headers.ContainsKey (name))
headers[name] = new List<string> ();
headers[name].Add (value);
}
/// <summary>
/// Gets a particular headers value.
/// </summary>
/// <returns>The header to try and get.</returns>
/// <param name="name">Name.</param>
public string GetHeader (string name) {
name = name.ToLower ().Trim ();
if (!headers.ContainsKey (name))
return "";
return headers[name][0];
}
/// <summary>
/// Gets the headers and their values.
/// </summary>
/// <returns>The headers.</returns>
public List< string > GetHeaders() {
List< string > result = new List< string >();
foreach (string name in headers.Keys) {
foreach (string value in headers[name]) {
result.Add( name + ": " + value );
}
}
return result;
}
/// <summary>
/// Gets the headers for a particular header name.
/// </summary>
/// <returns>The headers.</returns>
/// <param name="name">Name.</param>
public List<string> GetHeaders (string name) {
name = name.ToLower ().Trim ();
if (!headers.ContainsKey (name))
headers[name] = new List<string> ();
return headers[name];
}
/// <summary>
/// Sets a new header into the header list.
/// </summary>
/// <param name="name">Name.</param>
/// <param name="value">Value.</param>
public void SetHeader (string name, string value) {
name = name.ToLower ().Trim ();
value = value.Trim ();
if (!headers.ContainsKey (name))
headers[name] = new List<string> ();
headers[name].Clear ();
headers[name].TrimExcess();
headers[name].Add (value);
}
/// <summary>
/// Responsible for sending the request and processing the response.
/// </summary>
private void GetResponse() {
System.Diagnostics.Stopwatch curcall = new System.Diagnostics.Stopwatch();
curcall.Start();
try {
var retry = 0;
while (++retry < maximumRetryCount) {
if (useCache) {
string etag = "";
if (etags.TryGetValue (uri.AbsoluteUri, out etag)) {
SetHeader ("If-None-Match", etag);
}
}
SetHeader ("Host", uri.Host);
var client = new TcpClient ();
client.Connect (uri.Host, uri.Port);
using (var stream = client.GetStream ()) {
var ostream = stream as Stream;
if (uri.Scheme.ToLower() == "https") {
ostream = new SslStream (stream, false, new RemoteCertificateValidationCallback (ValidateServerCertificate));
try {
var ssl = ostream as SslStream;
ssl.AuthenticateAsClient (uri.Host);
} catch (Exception e) {
Debug.LogError ("Exception: " + e.Message);
return;
}
}
WriteToStream( ostream );
response = new Response ();
response.request = this;
state = RequestState.Reading;
response.ReadFromStream( ostream );
}
client.Close ();
switch (response.status) {
case 307:
case 302:
case 301:
uri = new Uri (response.GetHeader ("Location"));
continue;
default:
retry = maximumRetryCount;
break;
}
}
if (useCache) {
string etag = response.GetHeader ("etag");
if (etag.Length > 0) {
etags[uri.AbsoluteUri] = etag;
}
}
} catch (Exception e) {
#if !UNITY_EDITOR
Console.WriteLine ("Unhandled Exception, aborting request.");
Console.WriteLine (e);
#else
Debug.LogError("Unhandled Exception, aborting request.");
Debug.LogException(e);
#endif
exception = e;
response = null;
}
state = RequestState.Done;
isDone = true;
responseTime = curcall.ElapsedMilliseconds;
if ( byteStream != null ) {
byteStream.Close();
}
if ( completedCallback != null ) {
completedCallback(this);
}
if ( LogAllRequests ) {
#if !UNITY_EDITOR
System.Console.WriteLine("NET: " + InfoString( VerboseLogging ));
#else
if ( response != null && response.status >= 200 && response.status < 300 ) {
Debug.Log( InfoString( VerboseLogging ) );
} else if ( response != null && response.status >= 400 ) {
Debug.LogError( InfoString( VerboseLogging ) );
} else {
Debug.LogWarning( InfoString( VerboseLogging ) );
}
#endif
}
}
/// <summary>
/// Send the HTTP Request with the options set.
/// </summary>
/// <param name="callback">Callback.</param>
public virtual void Send( Action< UnityHTTP.Request > callback = null) {
completedCallback = callback;
isDone = false;
state = RequestState.Waiting;
if ( acceptGzip ) {
SetHeader ("Accept-Encoding", "gzip");
}
if ( byteStream != null && byteStream.Length > 0 && GetHeader ("Content-Length") == "" ) {
SetHeader( "Content-Length", byteStream.Length.ToString() );
}
if ( GetHeader( "User-Agent" ) == "" ) {
SetHeader( "User-Agent", "UnityWeb/1.0" );
}
if ( GetHeader( "Connection" ) == "" ) {
SetHeader( "Connection", "close" );
}
// Basic Authorization
if (!String.IsNullOrEmpty(uri.UserInfo)) {
SetHeader("Authorization", "Basic " + System.Convert.ToBase64String(System.Text.ASCIIEncoding.ASCII.GetBytes(uri.UserInfo)));
}
if (synchronous) {
GetResponse();
} else {
ThreadPool.QueueUserWorkItem (new WaitCallback ( delegate(object t) {
GetResponse();
}));
}
}
public string Text {
set { byteStream = new MemoryStream(System.Text.Encoding.UTF8.GetBytes (value)); }
}
/// <summary>
/// Validates the server certificate.
/// </summary>
/// <returns><c>true</c>, if server certificate was validated, <c>false</c> otherwise.</returns>
/// <param name="sender">Sender.</param>
/// <param name="certificate">Certificate.</param>
/// <param name="chain">Chain.</param>
/// <param name="sslPolicyErrors">Ssl policy errors.</param>
public static bool ValidateServerCertificate (object sender, X509Certificate certificate, X509Chain chain, SslPolicyErrors sslPolicyErrors) {
#if !UNITY_EDITOR
System.Console.WriteLine( "NET: SSL Cert: " + sslPolicyErrors.ToString() );
#else
Debug.LogWarning("SSL Cert Error: " + sslPolicyErrors.ToString ());
#endif
return true;
}
/// <summary>
/// Writes the HTTP Request to the output stream.
/// </summary>
/// <param name="outputStream">Output stream.</param>
void WriteToStream( Stream outputStream ) {
var stream = new BinaryWriter( outputStream );
stream.Write( ASCIIEncoding.ASCII.GetBytes( method.Value + " " + uri.PathAndQuery + " " + protocol ) );
stream.Write( EOL );
foreach (string name in headers.Keys) {
foreach (string value in headers[name]) {
stream.Write( ASCIIEncoding.ASCII.GetBytes( name ) );
stream.Write( ':');
stream.Write( ASCIIEncoding.ASCII.GetBytes( value ) );
stream.Write( EOL );
}
}
stream.Write( EOL );
if (byteStream == null) {
return;
}
long numBytesToRead = byteStream.Length;
byte[] buffer = new byte[bufferSize];
while (numBytesToRead > 0) {
int readed = byteStream.Read(buffer, 0, bufferSize);
stream.Write(buffer, 0, readed);
numBytesToRead -= readed;
}
}
/// <summary>
/// Gets information about the request and returns an Information String.
/// </summary>
/// <returns>The reponse information.</returns>
/// <param name="verbose">If set to <c>true</c> verbose.</param>
private static string[] sizes = { "B", "KB", "MB", "GB" };
public string InfoString( bool verbose ) {
string status = isDone && response != null ? response.status.ToString() : "---";
string message = isDone && response != null ? response.message : "Unknown";
double size = isDone && response != null && response.bytes != null ? response.bytes.Length : 0.0f;
int order = 0;
while ( size >= 1024.0f && order + 1 < sizes.Length ) {
++order;
size /= 1024.0f;
}
string sizeString = String.Format( "{0:0.##}{1}", size, sizes[ order ] );
string result = uri.ToString() + " [ " + method.Value + " ] [ " + status + " " + message + " ] [ " + sizeString + " ] [ " + responseTime + "ms ]";
if ( verbose && response != null ) {
result += "\n\nRequest Headers:\n\n" + String.Join( "\n", GetHeaders().ToArray() );
result += "\n\nResponse Headers:\n\n" + String.Join( "\n", response.GetHeaders().ToArray() );
if ( response.Text != null ) {
result += "\n\nResponse Body:\n" + response.Text;
}
}
return result;
}
}
}
| 30.732804 | 149 | 0.635104 | [
"Apache-2.0"
] | dbuscaglia/snowplow-unity-tracker | UnityHTTP/Request.cs | 11,617 | C# |
using System;
using Saker.Serialization.BigEndian;
namespace Saker.Serialization.BaseType
{
internal class UInt64TypeSerialize : TypeSerializationBase<ulong>
{
public override void Serialize(ulong obj, System.IO.Stream stream)
{
Write((ulong)obj, stream);
}
public override ulong Deserialize(System.IO.Stream stream)
{
return Read(stream);
}
public static void Write(ulong obj, System.IO.Stream stream)
{
BigEndianPrimitiveTypeSerializer.Instance.WriteValue(stream, obj);
}
public static ulong Read(System.IO.Stream stream)
{
ulong v;
BigEndianPrimitiveTypeSerializer.Instance.ReadValue(stream, out v);
return v;
}
public UInt64TypeSerialize()
{
this._serializerType = typeof(ulong);
this._serializerName = this._serializerType.FullName;
}
public override System.Reflection.MethodInfo GetReaderMethod()
{
Func<System.IO.Stream, ulong> reader = Read;
return reader.Method;
}
public override System.Reflection.MethodInfo GetWriterMethod()
{
Action<ulong, System.IO.Stream> writer = Write;
return writer.Method;
}
public override unsafe ulong UnsafeDeserialize(byte* stream, int* pos, int length)
{
return UnsafeRead(stream, pos, length);
}
public unsafe static ulong UnsafeRead(byte* stream, int* pos, int length)
{
ulong v;
BigEndian.BigEndianPrimitiveTypeSerializer
.Instance.ReadValue(stream, pos, length, out v);
return v;
}
public unsafe override System.Reflection.MethodInfo GetUnsafeReaderMethod()
{
delUnsafeReaderMethod reader = UnsafeRead;
return reader.Method;
}
}
}
| 28.985294 | 90 | 0.599188 | [
"MIT"
] | shenrui93/saker | ShareCode/Serialization/BaseType/UInt64TypeSerialize.cs | 1,973 | C# |
using System.Collections.Generic;
using SharpNeat.Neat.Genome;
namespace SharpNeat.Neat.Reproduction.Sexual.Strategy.UniformCrossover.Tests
{
public class UniformCrossoverReproductionStrategyTestsUtils
{
static readonly MetaNeatGenome<double> __metaNeatGenome;
static readonly INeatGenomeBuilder<double> __genomeBuilder;
#region Static Initializer
static UniformCrossoverReproductionStrategyTestsUtils()
{
__metaNeatGenome = CreateMetaNeatGenome();
__genomeBuilder = NeatGenomeBuilderFactory<double>.Create(__metaNeatGenome);
}
#endregion
#region Public Static Methods
public static NeatPopulation<double> CreateNeatPopulation(int size)
{
var genomeList = new List<NeatGenome<double>>();
switch(size)
{
case 1:
genomeList.Add(CreateNeatGenome1());
break;
case 2:
genomeList.Add(CreateNeatGenome1());
genomeList.Add(CreateNeatGenome2());
break;
}
return new NeatPopulation<double>(__metaNeatGenome, __genomeBuilder, genomeList);
}
#endregion
#region Private Static Methods
private static MetaNeatGenome<double> CreateMetaNeatGenome()
{
return new MetaNeatGenome<double>(
inputNodeCount: 1,
outputNodeCount: 1,
isAcyclic: false,
activationFn: new SharpNeat.NeuralNets.Double.ActivationFunctions.ReLU());
}
private static NeatGenome<double> CreateNeatGenome1()
{
var connGenes = new ConnectionGenes<double>(12);
connGenes[0] = (0, 3, 0.1);
connGenes[1] = (0, 4, 0.2);
connGenes[2] = (0, 5, 0.3);
connGenes[3] = (3, 6, 0.4);
connGenes[4] = (4, 7, 0.5);
connGenes[5] = (5, 8, 0.6);
connGenes[6] = (6, 9, 0.7);
connGenes[7] = (7, 10, 0.8);
connGenes[8] = (8, 11, 0.9);
connGenes[9] = (9, 1, 1.0);
connGenes[10] = (10, 1, 1.1);
connGenes[11] = (11, 1, 1.2);
var genome = __genomeBuilder.Create(0, 0, connGenes);
return genome;
}
private static NeatGenome<double> CreateNeatGenome2()
{
var connGenes = new ConnectionGenes<double>(11);
connGenes[0] = (0, 3, 0.1);
connGenes[1] = (0, 4, 0.2);
connGenes[2] = (0, 5, 0.3);
connGenes[3] = (3, 6, 0.4);
connGenes[4] = (4, 7, 0.5);
connGenes[5] = (6, 9, 0.7);
connGenes[6] = (7, 10, 0.8);
connGenes[7] = (8, 11, 0.9);
connGenes[8] = (9, 1, 1.0);
connGenes[9] = (10, 1, 1.1);
connGenes[10] = (11, 1, 1.2);
var genome = __genomeBuilder.Create(0, 0, connGenes);
return genome;
}
#endregion
}
}
| 30.617647 | 93 | 0.518732 | [
"MIT"
] | colgreen/sharpneat-refactor | src/Tests/SharpNeat.Tests/Neat/Reproduction/Sexual/Strategy/UniformCrossover/UniformCrossoverReproductionStrategyTestsUtils.cs | 3,125 | 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.AzureNative.Compute.V20210701.Inputs
{
/// <summary>
/// Describes a virtual machine network interface configurations.
/// </summary>
public sealed class VirtualMachineNetworkInterfaceConfigurationArgs : Pulumi.ResourceArgs
{
/// <summary>
/// Specify what happens to the network interface when the VM is deleted
/// </summary>
[Input("deleteOption")]
public InputUnion<string, Pulumi.AzureNative.Compute.V20210701.DeleteOptions>? DeleteOption { get; set; }
/// <summary>
/// The dns settings to be applied on the network interfaces.
/// </summary>
[Input("dnsSettings")]
public Input<Inputs.VirtualMachineNetworkInterfaceDnsSettingsConfigurationArgs>? DnsSettings { get; set; }
[Input("dscpConfiguration")]
public Input<Inputs.SubResourceArgs>? DscpConfiguration { get; set; }
/// <summary>
/// Specifies whether the network interface is accelerated networking-enabled.
/// </summary>
[Input("enableAcceleratedNetworking")]
public Input<bool>? EnableAcceleratedNetworking { get; set; }
/// <summary>
/// Specifies whether the network interface is FPGA networking-enabled.
/// </summary>
[Input("enableFpga")]
public Input<bool>? EnableFpga { get; set; }
/// <summary>
/// Whether IP forwarding enabled on this NIC.
/// </summary>
[Input("enableIPForwarding")]
public Input<bool>? EnableIPForwarding { get; set; }
[Input("ipConfigurations", required: true)]
private InputList<Inputs.VirtualMachineNetworkInterfaceIPConfigurationArgs>? _ipConfigurations;
/// <summary>
/// Specifies the IP configurations of the network interface.
/// </summary>
public InputList<Inputs.VirtualMachineNetworkInterfaceIPConfigurationArgs> IpConfigurations
{
get => _ipConfigurations ?? (_ipConfigurations = new InputList<Inputs.VirtualMachineNetworkInterfaceIPConfigurationArgs>());
set => _ipConfigurations = value;
}
/// <summary>
/// The network interface configuration name.
/// </summary>
[Input("name", required: true)]
public Input<string> Name { get; set; } = null!;
/// <summary>
/// The network security group.
/// </summary>
[Input("networkSecurityGroup")]
public Input<Inputs.SubResourceArgs>? NetworkSecurityGroup { get; set; }
/// <summary>
/// Specifies the primary network interface in case the virtual machine has more than 1 network interface.
/// </summary>
[Input("primary")]
public Input<bool>? Primary { get; set; }
public VirtualMachineNetworkInterfaceConfigurationArgs()
{
}
}
}
| 37.023256 | 136 | 0.642274 | [
"Apache-2.0"
] | polivbr/pulumi-azure-native | sdk/dotnet/Compute/V20210701/Inputs/VirtualMachineNetworkInterfaceConfigurationArgs.cs | 3,184 | C# |
using MailCheck.AggregateReport.Parser.Domain.Report;
namespace MailCheck.AggregateReport.Parser.Domain
{
public class AggregateReportInfo
{
public AggregateReportInfo(Dmarc.AggregateReport aggregateReport,
EmailMetadata emailMetadata,
AttachmentInfo attachmentInfo)
{
AggregateReport = aggregateReport;
AttachmentInfo = attachmentInfo;
EmailMetadata = emailMetadata;
}
public long Id { get; set; }
public EmailMetadata EmailMetadata { get; }
public Dmarc.AggregateReport AggregateReport { get; }
public AttachmentInfo AttachmentInfo { get; set; }
}
} | 31.090909 | 73 | 0.668129 | [
"Apache-2.0"
] | ukncsc/MailCheck.Public.AggregateReport | src/MailCheck.AggregateReport.Parser/Domain/AggregateReportInfo.cs | 686 | 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("Tralus.Framework.Migration")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("Tralus.Framework.Migration")]
[assembly: AssemblyCopyright("Copyright © 2015")]
[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("8d964242-330e-4bf6-976d-48e3f62fd95a")]
// 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.126")]
[assembly: AssemblyFileVersion("1.0.0.126")]
| 39.567568 | 85 | 0.730191 | [
"Apache-2.0"
] | mehrandvd/Tralus | Framework/Source/Tralus.Framework.Migration/Properties/AssemblyInfo.cs | 1,465 | 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("Topshelf.SimpleInjector.CI")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("Topshelf.SimpleInjector.CI")]
[assembly: AssemblyCopyright("Copyright © 2015")]
[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("c496bff2-294c-4253-89fd-bfc7d8a05201")]
// 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.571429 | 84 | 0.744404 | [
"MIT"
] | AdaskoTheBeAsT/Topshelf.SimpleInjector | Source/Topshelf.SimpleInjector.CI/Properties/AssemblyInfo.cs | 1,388 | C# |
using System;
using System.Collections;
public interface IExaminable
{
IEnumerator StartSequence(Action doneCallback);
}
| 15.875 | 51 | 0.795276 | [
"MIT"
] | harjup/ChillTreasureTime | src/ChillTeasureTime/Assets/src/scripts/Interaction/IExaminable.cs | 129 | C# |
using System.Collections.Generic;
namespace WitsWay.TempTests.GeneralQuery.Models
{
public class GridPresentConfig
{
/// <summary>
/// 支持操作权限
/// </summary>
public List<OperationRights> Commands { get; set; }
/// <summary>
/// Grid支持功能集 </summary>
public List<GridFunctions> Functions { get; set; }
/// <summary>
/// Grid模式
/// </summary>
public GridModes GridMode { get; set; }
}
}
| 23.190476 | 59 | 0.552361 | [
"Apache-2.0"
] | wanghuaisheng/WitsWay | Solutions/TempTests/GeneralQuery/Models/GridPresentConfig.cs | 515 | C# |
using Dotmim.Sync.Builders;
using System;
using System.Text;
using System.Data.Common;
using System.Data;
using System.Linq;
using MySql.Data.MySqlClient;
using Dotmim.Sync.MySql.Builders;
using System.Diagnostics;
using System.Collections.Generic;
namespace Dotmim.Sync.MySql
{
public class MySqlBuilderProcedure : IDbBuilderProcedureHelper
{
private ParserName tableName;
private ParserName trackingName;
private MySqlConnection connection;
private MySqlTransaction transaction;
private SyncTable tableDescription;
private MySqlObjectNames mySqlObjectNames;
private MySqlDbMetadata mySqlDbMetadata;
internal const string MYSQL_PREFIX_PARAMETER = "in_";
public MySqlBuilderProcedure(SyncTable tableDescription, DbConnection connection, DbTransaction transaction = null)
{
this.connection = connection as MySqlConnection;
this.transaction = transaction as MySqlTransaction;
this.tableDescription = tableDescription;
(this.tableName, this.trackingName) = MyTableSqlBuilder.GetParsers(tableDescription);
this.mySqlObjectNames = new MySqlObjectNames(this.tableDescription);
this.mySqlDbMetadata = new MySqlDbMetadata();
}
private void AddPkColumnParametersToCommand(MySqlCommand sqlCommand)
{
foreach (var pkColumn in this.tableDescription.GetPrimaryKeysColumns())
sqlCommand.Parameters.Add(GetMySqlParameter(pkColumn));
}
private void AddColumnParametersToCommand(MySqlCommand sqlCommand)
{
foreach (var column in this.tableDescription.Columns.Where(c => !c.IsReadOnly))
sqlCommand.Parameters.Add(GetMySqlParameter(column));
}
internal MySqlParameter GetMySqlParameter(SyncColumn column)
{
var mySqlDbMetadata = new MySqlDbMetadata();
var parameterName = ParserName.Parse(column).Unquoted().Normalized().ToString();
var sqlParameter = new MySqlParameter
{
ParameterName = $"{MySqlBuilderProcedure.MYSQL_PREFIX_PARAMETER}{parameterName}",
DbType = column.GetDbType(),
IsNullable = column.AllowDBNull
};
(byte precision, byte scale) = mySqlDbMetadata.TryGetOwnerPrecisionAndScale(column.OriginalDbType, column.GetDbType(), false, false, column.MaxLength, column.Precision, column.Scale, this.tableDescription.OriginalProvider, MySqlSyncProvider.ProviderType);
if ((sqlParameter.DbType == DbType.Decimal || sqlParameter.DbType == DbType.Double
|| sqlParameter.DbType == DbType.Single || sqlParameter.DbType == DbType.VarNumeric) && precision > 0)
{
sqlParameter.Precision = precision;
if (scale > 0)
sqlParameter.Scale = scale;
}
else if (column.MaxLength > 0)
{
sqlParameter.Size = (int)column.MaxLength;
}
else if (sqlParameter.DbType == DbType.Guid)
{
sqlParameter.Size = 36;
}
else
{
sqlParameter.Size = -1;
}
return sqlParameter;
}
/// <summary>
/// From a SqlParameter, create the declaration
/// </summary>
internal string CreateParameterDeclaration(MySqlParameter param)
{
var stringBuilder3 = new StringBuilder();
var sqlDbType = param.MySqlDbType;
string empty = string.Empty;
var stringType = this.mySqlDbMetadata.GetStringFromDbType(param.DbType);
string precision = this.mySqlDbMetadata.GetPrecisionStringFromDbType(param.DbType, param.Size, param.Precision, param.Scale);
string output = string.Empty;
string isNull = string.Empty;
string defaultValue = string.Empty;
if (param.Direction == ParameterDirection.Output || param.Direction == ParameterDirection.InputOutput)
output = "OUT ";
// MySql does not accept default value or Is Nullable
//if (param.IsNullable)
// isNull="NULL";
//if (param.Value != null)
// defaultValue = $"= {param.Value.ToString()}";
stringBuilder3.Append($"{output}{param.ParameterName} {stringType}{precision} {isNull} {defaultValue}");
return stringBuilder3.ToString();
}
/// <summary>
/// From a SqlCommand, create a stored procedure string
/// </summary>
private string CreateProcedureCommandText(MySqlCommand cmd, string procName)
{
var stringBuilder = new StringBuilder();
stringBuilder.Append("create procedure ");
stringBuilder.Append(procName);
stringBuilder.Append(" (");
stringBuilder.AppendLine();
string str = "\n\t";
foreach (MySqlParameter parameter in cmd.Parameters)
{
stringBuilder.Append(string.Concat(str, CreateParameterDeclaration(parameter)));
str = ",\n\t";
}
stringBuilder.Append("\n)\nBEGIN\n");
stringBuilder.Append(cmd.CommandText);
stringBuilder.Append("\nEND");
return stringBuilder.ToString();
}
/// <summary>
/// Create a stored procedure
/// </summary>
private void CreateProcedureCommand(Func<MySqlCommand> BuildCommand, string procName)
{
bool alreadyOpened = connection.State == ConnectionState.Open;
try
{
if (!alreadyOpened)
connection.Open();
var str = CreateProcedureCommandText(BuildCommand(), procName);
using (var command = new MySqlCommand(str, connection))
{
if (transaction != null)
command.Transaction = transaction;
command.ExecuteNonQuery();
}
}
catch (Exception ex)
{
Debug.WriteLine($"Error during CreateProcedureCommand : {ex}");
throw;
}
finally
{
if (!alreadyOpened && connection.State != ConnectionState.Closed)
connection.Close();
}
}
private void CreateProcedureCommand<T>(Func<T, MySqlCommand> BuildCommand, string procName, T t)
{
bool alreadyOpened = connection.State == ConnectionState.Open;
try
{
if (!alreadyOpened)
connection.Open();
var str = CreateProcedureCommandText(BuildCommand(t), procName);
using (var command = new MySqlCommand(str, connection))
{
if (transaction != null)
command.Transaction = transaction;
command.ExecuteNonQuery();
}
}
catch (Exception ex)
{
Debug.WriteLine($"Error during CreateProcedureCommand : {ex}");
throw;
}
finally
{
if (!alreadyOpened && connection.State != ConnectionState.Closed)
connection.Close();
}
}
private string CreateProcedureCommandScriptText(Func<MySqlCommand> BuildCommand, string procName)
{
bool alreadyOpened = connection.State == ConnectionState.Open;
try
{
if (!alreadyOpened)
connection.Open();
var str1 = $"Command {procName} for table {tableName.Quoted().ToString()}";
var str = CreateProcedureCommandText(BuildCommand(), procName);
return MyTableSqlBuilder.WrapScriptTextWithComments(str, str1);
}
catch (Exception ex)
{
Debug.WriteLine($"Error during CreateProcedureCommand : {ex}");
throw;
}
finally
{
if (!alreadyOpened && connection.State != ConnectionState.Closed)
connection.Close();
}
}
private string CreateProcedureCommandScriptText<T>(Func<T, MySqlCommand> BuildCommand, string procName, T t)
{
bool alreadyOpened = connection.State == ConnectionState.Open;
try
{
if (!alreadyOpened)
connection.Open();
var str1 = $"Command {procName} for table {tableName.Quoted().ToString()}";
var str = CreateProcedureCommandText(BuildCommand(t), procName);
return MyTableSqlBuilder.WrapScriptTextWithComments(str, str1);
}
catch (Exception ex)
{
Debug.WriteLine($"Error during CreateProcedureCommand : {ex}");
throw;
}
finally
{
if (!alreadyOpened && connection.State != ConnectionState.Closed)
connection.Close();
}
}
/// <summary>
/// Check if we need to create the stored procedure
/// </summary>
public bool NeedToCreateProcedure(DbCommandType commandType)
{
if (connection.State != ConnectionState.Open)
throw new ArgumentException("Here, we need an opened connection please");
var commandName = this.mySqlObjectNames.GetCommandName(commandType).name;
return !MySqlManagementUtils.ProcedureExists(connection, transaction, commandName);
}
/// <summary>
/// Check if we need to create the TVP Type
/// </summary>
public bool NeedToCreateType(DbCommandType commandType) => false;
//------------------------------------------------------------------
// Reset command
//------------------------------------------------------------------
private MySqlCommand BuildResetCommand()
{
var sqlCommand = new MySqlCommand();
var stringBuilder = new StringBuilder();
stringBuilder.AppendLine($"DELETE FROM {tableName.Quoted().ToString()};");
stringBuilder.AppendLine($"DELETE FROM {trackingName.Quoted().ToString()};");
stringBuilder.AppendLine();
sqlCommand.CommandText = stringBuilder.ToString();
return sqlCommand;
}
public void CreateReset()
{
var commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.Reset).name;
CreateProcedureCommand(BuildResetCommand, commandName);
}
//------------------------------------------------------------------
// Delete command
//------------------------------------------------------------------
private MySqlCommand BuildDeleteCommand()
{
MySqlCommand sqlCommand = new MySqlCommand();
this.AddPkColumnParametersToCommand(sqlCommand);
var sqlParameter1 = new MySqlParameter();
sqlParameter1.ParameterName = "sync_scope_id";
sqlParameter1.MySqlDbType = MySqlDbType.Guid;
sqlParameter1.Size = 36;
sqlCommand.Parameters.Add(sqlParameter1);
var sqlParameter = new MySqlParameter();
sqlParameter.ParameterName = "sync_force_write";
sqlParameter.MySqlDbType = MySqlDbType.Int32;
sqlCommand.Parameters.Add(sqlParameter);
var sqlParameter2 = new MySqlParameter();
sqlParameter2.ParameterName = "sync_min_timestamp";
sqlParameter2.MySqlDbType = MySqlDbType.Int64;
sqlCommand.Parameters.Add(sqlParameter2);
sqlParameter = new MySqlParameter();
sqlParameter.ParameterName = "sync_row_count";
sqlParameter.MySqlDbType = MySqlDbType.Int32;
sqlParameter.Direction = ParameterDirection.Output;
sqlCommand.Parameters.Add(sqlParameter);
StringBuilder stringBuilder = new StringBuilder();
stringBuilder.AppendLine();
stringBuilder.AppendLine("DECLARE ts BIGINT;");
stringBuilder.AppendLine("DECLARE t_update_scope_id VARCHAR(36);");
stringBuilder.AppendLine("SET ts = 0;");
stringBuilder.AppendLine($"SELECT `timestamp`, `update_scope_id` FROM {trackingName.Quoted().ToString()} WHERE {MySqlManagementUtils.WhereColumnAndParameters(this.tableDescription.PrimaryKeys, trackingName.Quoted().ToString())} LIMIT 1 INTO ts, t_update_scope_id;");
stringBuilder.AppendLine($"DELETE FROM {tableName.Quoted().ToString()} WHERE");
stringBuilder.AppendLine(MySqlManagementUtils.WhereColumnAndParameters(this.tableDescription.PrimaryKeys, ""));
stringBuilder.AppendLine("AND (ts <= sync_min_timestamp OR ts IS NULL OR t_update_scope_id = sync_scope_id OR sync_force_write = 1);");
stringBuilder.AppendLine();
stringBuilder.AppendLine($"SELECT ROW_COUNT() LIMIT 1 INTO sync_row_count;");
stringBuilder.AppendLine();
stringBuilder.AppendLine();
stringBuilder.AppendLine($"IF (sync_row_count > 0) THEN");
stringBuilder.AppendLine($"\tUPDATE {trackingName.Quoted().ToString()}");
stringBuilder.AppendLine($"\tSET `update_scope_id` = sync_scope_id, ");
stringBuilder.AppendLine($"\t\t `sync_row_is_tombstone` = 1, ");
stringBuilder.AppendLine($"\t\t `timestamp` = {MySqlObjectNames.TimestampValue}, ");
stringBuilder.AppendLine($"\t\t `last_change_datetime` = now() ");
stringBuilder.AppendLine($"\tWHERE {MySqlManagementUtils.WhereColumnAndParameters(this.tableDescription.PrimaryKeys, "")};");
stringBuilder.AppendLine($"END IF;");
sqlCommand.CommandText = stringBuilder.ToString();
return sqlCommand;
}
public void CreateDelete()
{
var commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.DeleteRow).name;
CreateProcedureCommand(BuildDeleteCommand, commandName);
}
//------------------------------------------------------------------
// Delete Metadata command
//------------------------------------------------------------------
private MySqlCommand BuildDeleteMetadataCommand()
{
var sqlCommand = new MySqlCommand();
var sqlParameter1 = new MySqlParameter
{
ParameterName = "sync_row_timestamp",
MySqlDbType = MySqlDbType.Int64
};
sqlCommand.Parameters.Add(sqlParameter1);
var stringBuilder = new StringBuilder();
stringBuilder.AppendLine();
stringBuilder.AppendLine($"DELETE FROM {trackingName.Quoted().ToString()} WHERE `timestamp` < sync_row_timestamp;");
sqlCommand.CommandText = stringBuilder.ToString();
return sqlCommand;
}
public void CreateDeleteMetadata()
{
var commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.DeleteMetadata).name;
CreateProcedureCommand(BuildDeleteMetadataCommand, commandName);
}
//------------------------------------------------------------------
// Select Row command
//------------------------------------------------------------------
private MySqlCommand BuildSelectRowCommand()
{
MySqlCommand sqlCommand = new MySqlCommand();
this.AddPkColumnParametersToCommand(sqlCommand);
MySqlParameter sqlParameter = new MySqlParameter();
sqlParameter.ParameterName = "sync_scope_id";
sqlParameter.MySqlDbType = MySqlDbType.Guid;
sqlParameter.Size = 36;
sqlCommand.Parameters.Add(sqlParameter);
StringBuilder stringBuilder = new StringBuilder("SELECT ");
stringBuilder.AppendLine();
StringBuilder stringBuilder1 = new StringBuilder();
string empty = string.Empty;
foreach (var pkColumn in this.tableDescription.PrimaryKeys)
{
var columnName = ParserName.Parse(pkColumn, "`").Quoted().ToString();
var parameterName = ParserName.Parse(pkColumn, "`").Unquoted().Normalized().ToString();
stringBuilder.AppendLine($"\t`side`.{columnName}, ");
stringBuilder1.Append($"{empty}`side`.{columnName} = {MYSQL_PREFIX_PARAMETER}{parameterName}");
empty = " AND ";
}
foreach (var mutableColumn in this.tableDescription.GetMutableColumns())
{
var nonPkColumnName = ParserName.Parse(mutableColumn, "`").Quoted().ToString();
stringBuilder.AppendLine($"\t`base`.{nonPkColumnName}, ");
}
stringBuilder.AppendLine("\t`side`.`sync_row_is_tombstone`, ");
stringBuilder.AppendLine("\t`side`.`update_scope_id` ");
stringBuilder.AppendLine($"FROM {tableName.Quoted().ToString()} `base`");
stringBuilder.AppendLine($"RIGHT JOIN {trackingName.Quoted().ToString()} `side` ON");
string str = string.Empty;
foreach (var pkColumn in this.tableDescription.PrimaryKeys)
{
var columnName = ParserName.Parse(pkColumn, "`").Quoted().ToString();
stringBuilder.Append($"{str}`base`.{columnName} = `side`.{columnName}");
str = " AND ";
}
stringBuilder.AppendLine();
stringBuilder.Append("WHERE ");
stringBuilder.Append(stringBuilder1.ToString());
stringBuilder.Append(";");
sqlCommand.CommandText = stringBuilder.ToString();
return sqlCommand;
}
public void CreateSelectRow()
{
var commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.SelectRow).name;
CreateProcedureCommand(BuildSelectRowCommand, commandName);
}
//------------------------------------------------------------------
// Update command
//------------------------------------------------------------------
private MySqlCommand BuildUpdateCommand(bool hasMutableColumns)
{
var sqlCommand = new MySqlCommand();
var stringBuilder = new StringBuilder();
this.AddColumnParametersToCommand(sqlCommand);
var sqlParameter = new MySqlParameter();
sqlParameter.ParameterName = "sync_scope_id";
sqlParameter.MySqlDbType = MySqlDbType.Guid;
sqlParameter.Size = 36;
sqlCommand.Parameters.Add(sqlParameter);
sqlParameter = new MySqlParameter();
sqlParameter.ParameterName = "sync_force_write";
sqlParameter.MySqlDbType = MySqlDbType.Int32;
sqlCommand.Parameters.Add(sqlParameter);
sqlParameter = new MySqlParameter();
sqlParameter.ParameterName = "sync_min_timestamp";
sqlParameter.MySqlDbType = MySqlDbType.Int64;
sqlCommand.Parameters.Add(sqlParameter);
sqlParameter = new MySqlParameter();
sqlParameter.ParameterName = "sync_row_count";
sqlParameter.MySqlDbType = MySqlDbType.Int32;
sqlParameter.Direction = ParameterDirection.Output;
sqlCommand.Parameters.Add(sqlParameter);
var listColumnsTmp = new StringBuilder();
var listColumnsTmp2 = new StringBuilder();
var listColumnsTmp3 = new StringBuilder();
var and = " AND ";
var lstPrimaryKeysColumns = this.tableDescription.GetPrimaryKeysColumns().ToList();
foreach (var column in lstPrimaryKeysColumns)
{
if (lstPrimaryKeysColumns.IndexOf(column) == lstPrimaryKeysColumns.Count - 1)
and = "";
var param = GetMySqlParameter(column);
var declar = CreateParameterDeclaration(param);
var columnName = ParserName.Parse(column, "`").Quoted().ToString();
// Primary keys column name, with quote
listColumnsTmp.Append($"{columnName}, ");
// param name without type
listColumnsTmp2.Append($"t_{param.ParameterName}, ");
// param name with type
stringBuilder.AppendLine($"DECLARE t_{declar};");
// Param equal IS NULL
listColumnsTmp3.Append($"t_{param.ParameterName} IS NULL {and}");
}
stringBuilder.AppendLine("DECLARE ts BIGINT;");
stringBuilder.AppendLine("DECLARE t_update_scope_id VARCHAR(36);");
stringBuilder.AppendLine("SET ts = 0;");
stringBuilder.AppendLine($"SELECT {listColumnsTmp.ToString()}");
stringBuilder.AppendLine($"`timestamp`, `update_scope_id` FROM {trackingName.Quoted().ToString()} ");
stringBuilder.AppendLine($"WHERE {MySqlManagementUtils.WhereColumnAndParameters(this.tableDescription.PrimaryKeys, trackingName.Quoted().ToString())} LIMIT 1 ");
stringBuilder.AppendLine($"INTO {listColumnsTmp2.ToString()} ts, t_update_scope_id;");
stringBuilder.AppendLine();
if (hasMutableColumns)
{
stringBuilder.AppendLine($"UPDATE {tableName.Quoted().ToString()}");
stringBuilder.Append($"SET {MySqlManagementUtils.CommaSeparatedUpdateFromParameters(this.tableDescription)}");
stringBuilder.Append($"WHERE {MySqlManagementUtils.WhereColumnAndParameters(this.tableDescription.PrimaryKeys, "")}");
stringBuilder.AppendLine($" AND (ts <= sync_min_timestamp OR ts IS NULL OR t_update_scope_id = sync_scope_id OR sync_force_write = 1);");
stringBuilder.AppendLine();
stringBuilder.AppendLine($"SELECT ROW_COUNT() LIMIT 1 INTO sync_row_count;");
stringBuilder.AppendLine($"IF (sync_row_count = 0) THEN");
}
string empty = string.Empty;
var stringBuilderArguments = new StringBuilder();
var stringBuilderParameters = new StringBuilder();
foreach (var mutableColumn in this.tableDescription.Columns.Where(c => !c.IsReadOnly))
{
var columnName = ParserName.Parse(mutableColumn, "`").Quoted().ToString();
var parameterName = ParserName.Parse(mutableColumn, "`").Unquoted().Normalized().ToString();
stringBuilderArguments.Append(string.Concat(empty, columnName));
stringBuilderParameters.Append(string.Concat(empty, $"{MYSQL_PREFIX_PARAMETER}{parameterName}"));
empty = ", ";
}
stringBuilder.AppendLine($"\tINSERT INTO {tableName.Quoted().ToString()}");
stringBuilder.AppendLine($"\t({stringBuilderArguments.ToString()})");
stringBuilder.AppendLine($"\tSELECT * FROM ( SELECT {stringBuilderParameters.ToString()}) as TMP ");
stringBuilder.AppendLine($"\tWHERE ( {listColumnsTmp3.ToString()} )");
stringBuilder.AppendLine($"\tOR (ts <= sync_min_timestamp OR ts IS NULL OR t_update_scope_id = sync_scope_id OR sync_force_write = 1)");
stringBuilder.AppendLine($"\tLIMIT 1;");
stringBuilder.AppendLine();
stringBuilder.AppendLine($"SELECT ROW_COUNT() LIMIT 1 INTO sync_row_count;");
stringBuilder.AppendLine();
if (hasMutableColumns)
stringBuilder.AppendLine("END IF;");
stringBuilder.AppendLine();
stringBuilder.AppendLine($"IF (sync_row_count > 0) THEN");
stringBuilder.AppendLine($"\tUPDATE {trackingName.Quoted().ToString()}");
stringBuilder.AppendLine($"\tSET `update_scope_id` = sync_scope_id, ");
stringBuilder.AppendLine($"\t\t `sync_row_is_tombstone` = 0, ");
stringBuilder.AppendLine($"\t\t `timestamp` = {MySqlObjectNames.TimestampValue}, ");
stringBuilder.AppendLine($"\t\t `last_change_datetime` = now() ");
stringBuilder.AppendLine($"\tWHERE {MySqlManagementUtils.WhereColumnAndParameters(this.tableDescription.PrimaryKeys, "")};");
stringBuilder.AppendLine($"END IF;");
sqlCommand.CommandText = stringBuilder.ToString();
return sqlCommand;
}
public void CreateUpdate(bool hasMutableColumns)
{
var commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.UpdateRow).name;
this.CreateProcedureCommand(BuildUpdateCommand, commandName, hasMutableColumns);
}
/// <summary>
/// Add all sql parameters
/// </summary>
protected void CreateFilterParameters(MySqlCommand sqlCommand, SyncFilter filter)
{
var parameters = filter.Parameters;
if (parameters.Count == 0)
return;
foreach (var param in parameters)
{
if (param.DbType.HasValue)
{
// Get column name and type
var columnName = ParserName.Parse(param.Name, "`").Unquoted().Normalized().ToString();
var sqlDbType = (MySqlDbType)this.mySqlDbMetadata.TryGetOwnerDbType(null, param.DbType.Value, false, false, param.MaxLength, MySqlSyncProvider.ProviderType, MySqlSyncProvider.ProviderType);
var customParameterFilter = new MySqlParameter($"in_{columnName}", sqlDbType);
customParameterFilter.Size = param.MaxLength;
customParameterFilter.IsNullable = param.AllowNull;
customParameterFilter.Value = param.DefaultValue;
sqlCommand.Parameters.Add(customParameterFilter);
}
else
{
var tableFilter = this.tableDescription.Schema.Tables[param.TableName, param.SchemaName];
if (tableFilter == null)
throw new FilterParamTableNotExistsException(param.TableName);
var columnFilter = tableFilter.Columns[param.Name];
if (columnFilter == null)
throw new FilterParamColumnNotExistsException(param.Name, param.TableName);
// Get column name and type
var columnName = ParserName.Parse(columnFilter, "`").Unquoted().Normalized().ToString();
var sqlDbType = (SqlDbType)this.mySqlDbMetadata.TryGetOwnerDbType(columnFilter.OriginalDbType, columnFilter.GetDbType(), false, false, columnFilter.MaxLength, tableFilter.OriginalProvider, MySqlSyncProvider.ProviderType);
// Add it as parameter
var sqlParamFilter = new MySqlParameter($"in_{columnName}", sqlDbType);
sqlParamFilter.Size = columnFilter.MaxLength;
sqlParamFilter.IsNullable = param.AllowNull;
sqlParamFilter.Value = param.DefaultValue;
sqlCommand.Parameters.Add(sqlParamFilter);
}
}
}
/// <summary>
/// Create all custom joins from within a filter
/// </summary>
protected string CreateFilterCustomJoins(SyncFilter filter)
{
var customJoins = filter.Joins;
if (customJoins.Count == 0)
return string.Empty;
var stringBuilder = new StringBuilder();
stringBuilder.AppendLine();
foreach (var customJoin in customJoins)
{
switch (customJoin.JoinEnum)
{
case Join.Left:
stringBuilder.Append("LEFT JOIN ");
break;
case Join.Right:
stringBuilder.Append("RIGHT JOIN ");
break;
case Join.Outer:
stringBuilder.Append("OUTER JOIN ");
break;
case Join.Inner:
default:
stringBuilder.Append("INNER JOIN ");
break;
}
var filterTableName = ParserName.Parse(filter.TableName, "`").Quoted().ToString();
var joinTableName = ParserName.Parse(customJoin.TableName, "`").Quoted().ToString();
var leftTableName = ParserName.Parse(customJoin.LeftTableName, "`").Quoted().ToString();
if (string.Equals(filterTableName, leftTableName, SyncGlobalization.DataSourceStringComparison))
leftTableName = "`base`";
var rightTableName = ParserName.Parse(customJoin.RightTableName, "`").Quoted().ToString();
if (string.Equals(filterTableName, rightTableName, SyncGlobalization.DataSourceStringComparison))
rightTableName = "`base`";
var leftColumName = ParserName.Parse(customJoin.LeftColumnName, "`").Quoted().ToString();
var rightColumName = ParserName.Parse(customJoin.RightColumnName, "`").Quoted().ToString();
stringBuilder.AppendLine($"{joinTableName} ON {leftTableName}.{leftColumName} = {rightTableName}.{rightColumName}");
}
return stringBuilder.ToString();
}
/// <summary>
/// Create all side where criteria from within a filter
/// </summary>
protected string CreateFilterWhereSide(SyncFilter filter, bool checkTombstoneRows = false)
{
var sideWhereFilters = filter.Wheres;
if (sideWhereFilters.Count == 0)
return string.Empty;
var stringBuilder = new StringBuilder();
// Managing when state is tombstone
if (checkTombstoneRows)
stringBuilder.AppendLine($"(");
stringBuilder.AppendLine($" (");
var and2 = " ";
foreach (var whereFilter in sideWhereFilters)
{
var tableFilter = this.tableDescription.Schema.Tables[whereFilter.TableName, whereFilter.SchemaName];
if (tableFilter == null)
throw new FilterParamTableNotExistsException(whereFilter.TableName);
var columnFilter = tableFilter.Columns[whereFilter.ColumnName];
if (columnFilter == null)
throw new FilterParamColumnNotExistsException(whereFilter.ColumnName, whereFilter.TableName);
var tableName = ParserName.Parse(tableFilter, "`").Unquoted().ToString();
if (string.Equals(tableName, filter.TableName, SyncGlobalization.DataSourceStringComparison))
tableName = "`base`";
else
tableName = ParserName.Parse(tableFilter, "`").Quoted().ToString();
var columnName = ParserName.Parse(columnFilter, "`").Quoted().ToString();
var parameterName = ParserName.Parse(whereFilter.ParameterName, "`").Unquoted().Normalized().ToString();
var sqlDbType = (MySqlDbType)this.mySqlDbMetadata.TryGetOwnerDbType(columnFilter.OriginalDbType, columnFilter.GetDbType(), false, false, columnFilter.MaxLength, tableFilter.OriginalProvider, MySqlSyncProvider.ProviderType);
var param = filter.Parameters[parameterName];
if (param == null)
throw new FilterParamColumnNotExistsException(columnName, whereFilter.TableName);
stringBuilder.Append($"{and2}({tableName}.{columnName} = in_{parameterName}");
if (param.AllowNull)
stringBuilder.Append($" OR in_{parameterName} IS NULL");
stringBuilder.Append($")");
and2 = " AND ";
}
stringBuilder.AppendLine();
stringBuilder.AppendLine($" )");
if (checkTombstoneRows)
{
stringBuilder.AppendLine($" OR `side`.`sync_row_is_tombstone` = 1");
stringBuilder.AppendLine($")");
}
// Managing when state is tombstone
return stringBuilder.ToString();
}
/// <summary>
/// Create all custom wheres from witing a filter
/// </summary>
protected string CreateFilterCustomWheres(SyncFilter filter)
{
var customWheres = filter.CustomWheres;
if (customWheres.Count == 0)
return string.Empty;
var stringBuilder = new StringBuilder();
var and2 = " ";
stringBuilder.AppendLine($"(");
foreach (var customWhere in customWheres)
{
stringBuilder.Append($"{and2}{customWhere}");
and2 = " AND ";
}
stringBuilder.AppendLine();
stringBuilder.AppendLine($")");
return stringBuilder.ToString();
}
//------------------------------------------------------------------
// Select changes command
//------------------------------------------------------------------
private MySqlCommand BuildSelectIncrementalChangesCommand(SyncFilter filter = null)
{
var sqlCommand = new MySqlCommand();
var sqlParameter1 = new MySqlParameter();
sqlParameter1.ParameterName = "sync_min_timestamp";
sqlParameter1.MySqlDbType = MySqlDbType.Int64;
sqlParameter1.Value = 0;
sqlCommand.Parameters.Add(sqlParameter1);
var sqlParameter3 = new MySqlParameter();
sqlParameter3.ParameterName = "sync_scope_id";
sqlParameter3.MySqlDbType = MySqlDbType.Guid;
sqlParameter3.Size = 36;
sqlParameter3.Value = "NULL";
sqlCommand.Parameters.Add(sqlParameter3);
// Add filter parameters
if (filter != null)
CreateFilterParameters(sqlCommand, filter);
var stringBuilder = new StringBuilder("SELECT DISTINCT");
// ----------------------------------
// Add all columns
// ----------------------------------
foreach (var pkColumn in this.tableDescription.PrimaryKeys)
{
var pkColumnName = ParserName.Parse(pkColumn, "`").Quoted().ToString();
stringBuilder.AppendLine($"\t`side`.{pkColumnName}, ");
}
foreach (var mutableColumn in this.tableDescription.GetMutableColumns())
{
var columnName = ParserName.Parse(mutableColumn, "`").Quoted().ToString();
stringBuilder.AppendLine($"\t`base`.{columnName}, ");
}
stringBuilder.AppendLine($"\t`side`.`sync_row_is_tombstone`, ");
stringBuilder.AppendLine($"\t`side`.`update_scope_id` ");
stringBuilder.AppendLine($"FROM {tableName.Quoted().ToString()} `base`");
// ----------------------------------
// Make Right Join
// ----------------------------------
stringBuilder.Append($"RIGHT JOIN {trackingName.Quoted().ToString()} `side` ON ");
string empty = "";
foreach (var pkColumn in this.tableDescription.PrimaryKeys)
{
var pkColumnName = ParserName.Parse(pkColumn, "`").Quoted().ToString();
stringBuilder.Append($"{empty}`base`.{pkColumnName} = `side`.{pkColumnName}");
empty = " AND ";
}
// ----------------------------------
// Custom Joins
// ----------------------------------
if (filter != null)
stringBuilder.Append(CreateFilterCustomJoins(filter));
stringBuilder.AppendLine();
stringBuilder.AppendLine("WHERE (");
// ----------------------------------
// Where filters and Custom Where string
// ----------------------------------
if (filter != null)
{
var createFilterWhereSide = CreateFilterWhereSide(filter, true);
stringBuilder.Append(createFilterWhereSide);
if (!string.IsNullOrEmpty(createFilterWhereSide))
stringBuilder.AppendLine($"AND ");
var createFilterCustomWheres = CreateFilterCustomWheres(filter);
stringBuilder.Append(createFilterCustomWheres);
if (!string.IsNullOrEmpty(createFilterCustomWheres))
stringBuilder.AppendLine($"AND ");
}
// ----------------------------------
stringBuilder.AppendLine("\t`side`.`timestamp` > sync_min_timestamp");
stringBuilder.AppendLine("\tAND (`side`.`update_scope_id` <> sync_scope_id OR `side`.`update_scope_id` IS NULL) ");
stringBuilder.AppendLine(");");
sqlCommand.CommandText = stringBuilder.ToString();
return sqlCommand;
}
public void CreateSelectIncrementalChanges(SyncFilter filter = null)
{
var commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.SelectChanges).name;
Func<MySqlCommand> cmdWithoutFilter = () => BuildSelectIncrementalChangesCommand(null);
CreateProcedureCommand(cmdWithoutFilter, commandName);
if (filter != null)
{
filter.ValidateColumnFilters(this.tableDescription);
commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.SelectChangesWithFilters, filter).name;
Func<MySqlCommand> cmdWithFilter = () => BuildSelectIncrementalChangesCommand(filter);
CreateProcedureCommand(cmdWithFilter, commandName);
}
}
public void CreateTVPType() => throw new NotImplementedException();
public void CreateBulkUpdate(bool hasMutableColumns) => throw new NotImplementedException();
public void CreateBulkDelete() => throw new NotImplementedException();
private void DropProcedure(DbCommandType procType, SyncFilter filter = null)
{
var commandName = this.mySqlObjectNames.GetCommandName(procType).name;
var commandText = $"drop procedure if exists {commandName}";
bool alreadyOpened = connection.State == ConnectionState.Open;
try
{
if (!alreadyOpened)
connection.Open();
using (var command = new MySqlCommand(commandText, connection))
{
if (transaction != null)
command.Transaction = transaction;
command.ExecuteNonQuery();
}
if (filter != null)
{
using (var command = new MySqlCommand())
{
if (!alreadyOpened)
this.connection.Open();
if (this.transaction != null)
command.Transaction = this.transaction;
filter.ValidateColumnFilters(this.tableDescription);
var commandNameWithFilter = this.mySqlObjectNames.GetCommandName(DbCommandType.SelectChangesWithFilters, filter).name;
command.CommandText = $"DROP PROCEDURE {commandNameWithFilter};";
command.Connection = this.connection;
command.ExecuteNonQuery();
}
}
}
catch (Exception ex)
{
Debug.WriteLine($"Error during DropProcedureCommand : {ex}");
throw;
}
finally
{
if (!alreadyOpened && connection.State != ConnectionState.Closed)
connection.Close();
}
}
public void DropSelectInitializedChanges(SyncFilter filter) => this.DropProcedure(DbCommandType.SelectInitializedChanges, filter);
public void DropSelectRow() => this.DropProcedure(DbCommandType.SelectRow);
public void DropSelectIncrementalChanges(SyncFilter filter) => this.DropProcedure(DbCommandType.SelectChanges, filter);
public void DropUpdate() => this.DropProcedure(DbCommandType.UpdateRow);
public void DropDelete() => this.DropProcedure(DbCommandType.DeleteRow);
public void DropDeleteMetadata() => this.DropProcedure(DbCommandType.DeleteMetadata);
public void DropReset() => this.DropProcedure(DbCommandType.Reset);
public void DropTVPType() { return; }
public void DropBulkUpdate() { return; }
public void DropBulkDelete() { return; }
//------------------------------------------------------------------
// Select changes command
//------------------------------------------------------------------
private MySqlCommand BuildSelectInitializedChangesCommand(SyncFilter filter)
{
var sqlCommand = new MySqlCommand();
// Add filter parameters
if (filter != null)
CreateFilterParameters(sqlCommand, filter);
var stringBuilder = new StringBuilder("SELECT DISTINCT");
var columns = this.tableDescription.GetMutableColumns(false, true).ToList();
for (var i = 0; i < columns.Count; i++)
{
var mutableColumn = columns[i];
var columnName = ParserName.Parse(mutableColumn, "`").Quoted().ToString();
stringBuilder.AppendLine($"\t`base`.{columnName}");
if (i < columns.Count - 1)
stringBuilder.Append(", ");
}
stringBuilder.AppendLine($"FROM {tableName.Quoted().ToString()} `base`");
if (filter != null)
{
// ----------------------------------
// Custom Joins
// ----------------------------------
stringBuilder.Append(CreateFilterCustomJoins(filter));
// ----------------------------------
// Where filters on [side]
// ----------------------------------
var whereString = CreateFilterWhereSide(filter);
var customWhereString = CreateFilterCustomWheres(filter);
if (!string.IsNullOrEmpty(whereString) || !string.IsNullOrEmpty(customWhereString))
{
stringBuilder.AppendLine("WHERE");
if (!string.IsNullOrEmpty(whereString))
stringBuilder.AppendLine(whereString);
if (!string.IsNullOrEmpty(whereString) && !string.IsNullOrEmpty(customWhereString))
stringBuilder.AppendLine("AND");
if (!string.IsNullOrEmpty(customWhereString))
stringBuilder.AppendLine(customWhereString);
}
}
// ----------------------------------
stringBuilder.Append(";");
sqlCommand.CommandText = stringBuilder.ToString();
return sqlCommand;
}
public void CreateSelectInitializedChanges(SyncFilter filter)
{
var commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.SelectInitializedChanges).name;
Func<MySqlCommand> cmdWithoutFilter = () => BuildSelectInitializedChangesCommand(null);
CreateProcedureCommand(cmdWithoutFilter, commandName);
if (filter != null)
{
filter.ValidateColumnFilters(this.tableDescription);
commandName = this.mySqlObjectNames.GetCommandName(DbCommandType.SelectInitializedChangesWithFilters, filter).name;
Func<MySqlCommand> cmdWithFilter = () => BuildSelectInitializedChangesCommand(filter);
CreateProcedureCommand(cmdWithFilter, commandName);
}
}
}
}
| 42.168083 | 278 | 0.569196 | [
"MIT"
] | mikiec84/Dotmim.Sync | Projects/Dotmim.Sync.MySql/Builders/MySqlBuilderProcedure.cs | 44,658 | C# |
using Discord;
using Discord.WebSocket;
using Estranged.Automation.Runner.Discord.Events;
using System.Threading;
using System.Threading.Tasks;
namespace Estranged.Automation.Runner.Discord.Handlers
{
public sealed class CopyReactionEmoji : IReactionAddedHandler, IResponder
{
private readonly IDiscordClient _discordClient;
public CopyReactionEmoji(IDiscordClient discordClient) => _discordClient = discordClient;
public async Task ProcessMessage(IMessage message, CancellationToken token)
{
if (!RandomExtensions.PercentChance(0.1f))
{
return;
}
await PostTrademark(message, token);
}
public async Task ReactionAdded(Cacheable<IUserMessage, ulong> message, ISocketMessageChannel channel, SocketReaction reaction, CancellationToken token)
{
if (reaction.UserId == _discordClient.CurrentUser.Id)
{
return;
}
if (!RandomExtensions.PercentChance(25))
{
return;
}
var downloadedMessage = await message.GetOrDownloadAsync();
if (RandomExtensions.PercentChance(0.1f))
{
await PostTrademark(downloadedMessage, token);
return;
}
if (RandomExtensions.PercentChance(5))
{
await downloadedMessage.AddReactionAsync(new Emoji("🤥"), token.ToRequestOptions());
return;
}
await downloadedMessage.AddReactionAsync(reaction.Emote, token.ToRequestOptions());
}
private async Task PostTrademark(IMessage message, CancellationToken token)
{
var trademark = new[]
{
new Emoji("🇪"),
new Emoji("🇸"),
new Emoji("🇹"),
new Emoji("🇧"),
new Emoji("🇴"),
new Emoji("🤓")
};
foreach (var emoji in trademark)
{
await message.AddReactionAsync(emoji, token.ToRequestOptions());
}
}
}
}
| 29.972603 | 160 | 0.561243 | [
"MIT"
] | alanedwardes/Estranged.Automation | src/Runner.Discord/Handlers/CopyReactionEmoji.cs | 2,211 | C# |
using System.Windows;
using System.Windows.Controls;
using System.Windows.Media;
namespace R4nd0mApps.TddStud10.Hosts.Common.StatusBar
{
public partial class NotificationIcon : UserControl
{
public NotificationIcon()
{
InitializeComponent();
}
public bool Animate
{
get { return (bool)GetValue(AnimateProperty); }
set { SetValue(AnimateProperty, value); }
}
public static readonly DependencyProperty AnimateProperty =
DependencyProperty.Register("Animate", typeof(bool), typeof(NotificationIcon), new PropertyMetadata(RunStateToAnimationStateConverter.AnimationOff));
public SolidColorBrush IconColor
{
get { return (SolidColorBrush)GetValue(IconColorProperty); }
set { SetValue(IconColorProperty, value); }
}
public static readonly DependencyProperty IconColorProperty =
DependencyProperty.Register("IconColor", typeof(SolidColorBrush), typeof(NotificationIcon), new PropertyMetadata(new SolidColorBrush(RunStateToIconColorConverter.ColorForUnknown)));
public string IconText
{
get { return (string)GetValue(IconTextProperty); }
set { SetValue(IconTextProperty, value); }
}
public static readonly DependencyProperty IconTextProperty =
DependencyProperty.Register("IconText", typeof(string), typeof(NotificationIcon), new PropertyMetadata(RunStateToIconTextConverter.TextForUnknown));
}
}
| 37.857143 | 194 | 0.669811 | [
"Apache-2.0"
] | tddstud10/VS | CommonUI/StatusBar/NotificationIcon.xaml.cs | 1,592 | C# |
namespace EncompassRest.Company.Users.Rights
{
/// <summary>
/// HMDAProfilesRights
/// </summary>
public sealed class HMDAProfilesRights : ParentAccessRights
{
private DirtyValue<bool?> _addHMDAProfile;
private DirtyValue<bool?> _deleteHMDAProfile;
private DirtyValue<bool?> _editHMDAProfile;
/// <summary>
/// HMDAProfilesRights AddHMDAProfile
/// </summary>
public bool? AddHMDAProfile { get => _addHMDAProfile; set => SetField(ref _addHMDAProfile, value); }
/// <summary>
/// HMDAProfilesRights DeleteHMDAProfile
/// </summary>
public bool? DeleteHMDAProfile { get => _deleteHMDAProfile; set => SetField(ref _deleteHMDAProfile, value); }
/// <summary>
/// HMDAProfilesRights EditHMDAProfile
/// </summary>
public bool? EditHMDAProfile { get => _editHMDAProfile; set => SetField(ref _editHMDAProfile, value); }
}
} | 35.703704 | 117 | 0.642116 | [
"MIT"
] | PLoftis02/EncompassRest | src/EncompassRest/Company/Users/Rights/HMDAProfilesRights.cs | 964 | C# |
using System;
using System.Collections.Generic;
using System.Security.Cryptography;
using System.Text;
namespace Drive.Models.EF {
public partial class User {
public void SetPassword(string password) {
Password = (Id + password).ToHashString<MD5>();
}
public bool MatchPassword(string password) {
return (Id + password).ToHashString<MD5>() == Password;
}
}
}
| 25.058824 | 67 | 0.643192 | [
"MIT"
] | XuPeiYao/Drive | Drive.Models.EF/Partials/User.cs | 428 | C# |
using Microsoft.AspNetCore.Authentication;
using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.Abstractions;
using Microsoft.AspNetCore.Mvc.Filters;
using NC.Common;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
namespace NC.Lib
{
/// <summary>
/// 后台登录验证
/// </summary>
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Method, Inherited = true, AllowMultiple = true)]
public class AdminAuthorizeAttribute : AuthorizeAttribute, IAuthorizationFilter
{
public const string AdminAuthenticationScheme = "AdminAuthenticationScheme";//自定义一个默认的登录方案
public AdminAuthorizeAttribute()
{
this.AuthenticationSchemes = AdminAuthenticationScheme;
}
public virtual void OnAuthorization(AuthorizationFilterContext filterContext)
{
//获取对应Scheme方案的登录用户呢?使用HttpContext.AuthenticateAsync
var authenticate = filterContext.HttpContext.AuthenticateAsync(AdminAuthorizeAttribute.AdminAuthenticationScheme);
authenticate.Wait();
if (authenticate.Result.Succeeded || this.SkipAdminAuthorize(filterContext.ActionDescriptor))
{
return;
}
//if (filterContext.HttpContext.User.Identity.IsAuthenticated || this.SkipAdminAuthorize(filterContext.ActionDescriptor))
//{
// return;
//}
HttpRequest httpRequest = filterContext.HttpContext.Request;
if (httpRequest.IsAjaxRequest())
{
string msg = "未登录或登录超时,请重新登录";
string retResult = "{\"status\":" + JHEnums.ResultStatus.NotLogin + ",\"msg\":\"" + msg + "\"}";
string json = JsonHelper.ObjectToJSON(retResult);
ContentResult contentResult = new ContentResult() { Content = json };
filterContext.Result = contentResult;
return;
}
else
{
string url = filterContext.HttpContext.Content("~/ad_min/login");
url = string.Concat(url, "?returnUrl=", httpRequest.Path);
RedirectResult redirectResult = new RedirectResult(url);
filterContext.Result = redirectResult;
return;
}
}
/// <summary>
/// 如果控制器类上有跳过检查SkipCheckLoginAttribute特性标签,则直接return true
/// </summary>
/// <param name="actionDescriptor"></param>
/// <returns></returns>
protected virtual bool SkipAdminAuthorize(ActionDescriptor actionDescriptor)
{
bool skipAuthorize = actionDescriptor.FilterDescriptors.Where(a => a.Filter is SkipAdminAuthorizeAttribute).Any();
if (skipAuthorize)
{
return true;
}
return false;
}
}
/// <summary>
/// 如果控制器类上有SkipCheckLoginAttribute特性标签,则直接return ,如果控action方法上有SkipCheckLoginAttribute特性标签,则直接return
/// </summary>
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Method, AllowMultiple = false, Inherited = true)]
public sealed class SkipAdminAuthorizeAttribute : Attribute, IFilterMetadata
{
}
}
| 38.709302 | 133 | 0.638931 | [
"Apache-2.0"
] | oorz/NCMVC | APP/NC.Lib/Authorize/AdminAuthorizeAttribute.cs | 3,527 | C# |
using Microsoft.AspNetCore.Mvc;
using RS2_Tourism_Agency.Model.Request;
using TourismAgency.Services;
namespace RS2_Tourism_Agency.Controllers
{
[ApiController]
[Route("[controller]")]
public class PutovanjeController:
BaseCRUDController<
RS2_Tourism_Agency.Model.Putovanje,
RS2_Tourism_Agency.Model.SearchObjects.PutovanjaSearchObject,
PutovanjeInsertRequest,
PutovanjeUpdateRequest
>
{
public IPutovanjaServices _PutovanjeService;
public PutovanjeController(IPutovanjaServices PutovanjeService):base(PutovanjeService)
{
//_PutovanjeService = PutovanjeService;
_PutovanjeService = PutovanjeService;
}
[HttpPut("{Id}/Activate")]
public RS2_Tourism_Agency.Model.Putovanje Activate(int Id)
{
var result = _PutovanjeService.Activate(Id);
return result;
}
[HttpPut("{Id}/AllowedActions")]
public List<string> AllowedActions(int Id)
{
var result = _PutovanjeService.AllowedActions(Id);
return result;
}
}
}
//[HttpGet]
//public IEnumerable<RS2_Tourism_Agency.Model.Putovanje> Get(string naziv, string sifra)
//{
// return _PutovanjeService.Get();
// //if (_PutovanjeService != null)
// //{
// // _PutovanjeService.Get();
// //}
//}
//[HttpGet("{id}")]
//public RS2_Tourism_Agency.Model.Putovanje GetbyId(int id)
//{
// return _PutovanjeService.GetbyId(id);
//}
//public IEnumerable<Putovanja> GetbyId(int Id)
//{
// return _PutovanjeService.Get();
//} | 17.278351 | 94 | 0.628878 | [
"MIT"
] | MacanovicIsmar/RS2_Tourism_Agency | RS2_Tourism_Agency/Controllers/PutovanjeController.cs | 1,678 | C# |
#region License
// Copyright (c) 2011, ClearCanvas Inc.
// All rights reserved.
// http://www.clearcanvas.ca
//
// This software is licensed under the Open Software License v3.0.
// For the complete license, see http://www.clearcanvas.ca/OSLv3.0
#endregion
using System;
using System.Windows.Forms;
using ClearCanvas.Desktop;
using ClearCanvas.Desktop.View.WinForms;
using TabPage = System.Windows.Forms.TabPage;
namespace ClearCanvas.Ris.Client.View.WinForms
{
/// <summary>
/// Provides a Windows Forms user-interface for <see cref="OrderEditorComponent"/>
/// </summary>
public partial class OrderEditorComponentControl : ApplicationComponentUserControl
{
private readonly OrderEditorComponent _component;
/// <summary>
/// Constructor
/// </summary>
public OrderEditorComponentControl(OrderEditorComponent component)
: base(component)
{
InitializeComponent();
_component = component;
InitTabPage(_component.OrderNoteSummaryHost, _notesPage);
InitTabPage(_component.AttachmentsComponentHost, _attachmentsPage);
foreach (var extensionPage in _component.ExtensionPages)
{
AddExtensionPage(extensionPage);
}
// force toolbars to be displayed (VS designer seems to have a bug with this)
_proceduresTableView.ShowToolbar = true;
_recipientsTableView.ShowToolbar = true;
_patient.LookupHandler = _component.PatientProfileLookupHandler;
_patient.DataBindings.Add("Value", _component, "SelectedPatientProfile", true, DataSourceUpdateMode.OnPropertyChanged);
_patient.DataBindings.Add("Enabled", _component, "IsPatientProfileEditable");
_diagnosticService.LookupHandler = _component.DiagnosticServiceLookupHandler;
_diagnosticService.DataBindings.Add("Value", _component, "SelectedDiagnosticService", true, DataSourceUpdateMode.OnPropertyChanged);
_diagnosticService.DataBindings.Add("Enabled", _component, "IsDiagnosticServiceEditable");
_indication.DataBindings.Add("Value", _component, "Indication", true, DataSourceUpdateMode.OnPropertyChanged);
_indication.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_proceduresTableView.Table = _component.Procedures;
_proceduresTableView.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_proceduresTableView.MenuModel = _component.ProceduresActionModel;
_proceduresTableView.ToolbarModel = _component.ProceduresActionModel;
_proceduresTableView.DataBindings.Add("Selection", _component, "SelectedProcedures", true, DataSourceUpdateMode.OnPropertyChanged);
if(_component.IsCopiesToRecipientsPageVisible)
{
_recipientsTableView.Table = _component.Recipients;
_recipientsTableView.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_recipientsTableView.MenuModel = _component.RecipientsActionModel;
_recipientsTableView.ToolbarModel = _component.RecipientsActionModel;
_recipientsTableView.DataBindings.Add("Selection", _component, "SelectedRecipient", true, DataSourceUpdateMode.OnPropertyChanged);
_addConsultantButton.DataBindings.Add("Enabled", _component.RecipientsActionModel.Add, "Enabled");
_recipientLookup.LookupHandler = _component.RecipientsLookupHandler;
_recipientLookup.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_recipientLookup.DataBindings.Add("Value", _component, "RecipientToAdd", true, DataSourceUpdateMode.OnPropertyChanged);
_recipientContactPoint.DataBindings.Add("DataSource", _component, "RecipientContactPointChoices", true, DataSourceUpdateMode.Never);
_recipientContactPoint.DataBindings.Add("Value", _component, "RecipientContactPointToAdd", true, DataSourceUpdateMode.OnPropertyChanged);
_recipientContactPoint.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_recipientContactPoint.Format += delegate(object source, ListControlConvertEventArgs e) { e.Value = _component.FormatContactPoint(e.ListItem); };
}
else
{
_mainTab.TabPages.Remove(_copiesToRecipients);
}
_visit.DataSource = _component.ActiveVisits;
_visit.DataBindings.Add("Value", _component, "SelectedVisit", true, DataSourceUpdateMode.OnPropertyChanged);
_visit.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_visit.DataBindings.Add("Visible", _component, "VisitVisible");
_visit.Format += delegate(object source, ListControlConvertEventArgs e) { e.Value = _component.FormatVisit(e.ListItem); };
_visitSummaryButton.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_visitSummaryButton.DataBindings.Add("Visible", _component, "VisitVisible");
_priority.DataSource = _component.PriorityChoices;
_priority.DataBindings.Add("Value", _component, "SelectedPriority", true, DataSourceUpdateMode.OnPropertyChanged);
_priority.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_orderingFacility.DataBindings.Add("Value", _component, "OrderingFacility", true, DataSourceUpdateMode.OnPropertyChanged);
// Ordering Facility's Enabled is not bound since it is always readonly (via designer)
_orderingPractitioner.LookupHandler = _component.OrderingPractitionerLookupHandler;
_orderingPractitioner.DataBindings.Add("Value", _component, "SelectedOrderingPractitioner", true, DataSourceUpdateMode.OnPropertyChanged);
_orderingPractitioner.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_orderingPractitionerContactPoint.DataBindings.Add("DataSource", _component, "OrderingPractitionerContactPointChoices", true, DataSourceUpdateMode.Never);
_orderingPractitionerContactPoint.DataBindings.Add("Value", _component, "SelectedOrderingPractitionerContactPoint", true, DataSourceUpdateMode.OnPropertyChanged);
_orderingPractitionerContactPoint.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_orderingPractitionerContactPoint.Format += delegate(object source, ListControlConvertEventArgs e) { e.Value = _component.FormatContactPoint(e.ListItem); };
// bind date and time to same property
_schedulingRequestDate.DataBindings.Add("Value", _component, "SchedulingRequestTime", true, DataSourceUpdateMode.OnPropertyChanged);
_schedulingRequestDate.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_schedulingRequestDate.DataBindings.Add("Visible", _component, "SchedulingRequestTimeVisible");
_schedulingRequestTime.DataBindings.Add("Value", _component, "SchedulingRequestTime", true, DataSourceUpdateMode.OnPropertyChanged);
_schedulingRequestTime.DataBindings.Add("Enabled", _component, "OrderIsNotCompleted");
_schedulingRequestTime.DataBindings.Add("Visible", _component, "SchedulingRequestTimeVisible");
_reorderReason.DataSource = _component.CancelReasonChoices;
_reorderReason.DataBindings.Add("Value", _component, "SelectedCancelReason", true, DataSourceUpdateMode.OnPropertyChanged);
_reorderReason.DataBindings.Add("Visible", _component, "IsCancelReasonVisible");
_downtimeAccession.DataBindings.Add("Visible", _component, "IsDowntimeAccessionNumberVisible");
_downtimeAccession.DataBindings.Add("Value", _component, "DowntimeAccessionNumber", true, DataSourceUpdateMode.OnPropertyChanged);
_component.PropertyChanged += _component_PropertyChanged;
}
private void _component_PropertyChanged(object sender, System.ComponentModel.PropertyChangedEventArgs e)
{
if (e.PropertyName == "ActiveVisits")
{
_visit.DataSource = _component.ActiveVisits;
}
else if (e.PropertyName == "PriorityChoices")
{
_priority.DataSource = _component.PriorityChoices;
}
else if (e.PropertyName == "CancelReasonChoices")
{
_reorderReason.DataSource = _component.CancelReasonChoices;
}
else if (e.PropertyName == "OrderingPractitionerContactPointChoices")
{
_orderingPractitionerContactPoint.DataSource = _component.OrderingPractitionerContactPointChoices;
}
else if (e.PropertyName == "RecipientContactPointChoices")
{
_recipientContactPoint.DataSource = _component.RecipientContactPointChoices;
}
}
private void _placeOrderButton_Click(object sender, EventArgs e)
{
// bug #7781: switch back to this tab prior to validation
_mainTab.SelectedTab = _generalPage;
using (new CursorManager(Cursors.WaitCursor))
{
_component.Accept();
}
}
private void _cancelButton_Click(object sender, EventArgs e)
{
_component.Cancel();
}
private void _addConsultantButton_Click(object sender, EventArgs e)
{
_component.AddRecipient();
}
private void _proceduresTableView_ItemDoubleClicked(object sender, EventArgs e)
{
_component.EditSelectedProcedures();
}
private void _visitSummaryButton_Click(object sender, EventArgs e)
{
_component.ShowVisitSummary();
}
private void OrderEditorComponentControl_Load(object sender, EventArgs e)
{
_downtimeAccession.Mask = _component.AccessionNumberMask;
}
private void AddExtensionPage(IOrderEditorPage page)
{
var tabPage = new TabPage(page.Path.LocalizedPath);
_mainTab.TabPages.Add(tabPage);
var componentHost = _component.GetExtensionPageHost(page);
InitTabPage(componentHost, tabPage);
}
private static void InitTabPage(ApplicationComponentHost componentHost, TabPage tabPage)
{
var control = (Control)componentHost.ComponentView.GuiElement;
control.Dock = DockStyle.Fill;
tabPage.Controls.Add(control);
}
}
}
| 45.657143 | 166 | 0.77451 | [
"Apache-2.0"
] | SNBnani/Xian | Ris/Client/View/WinForms/OrderEditorComponentControl.cs | 9,588 | C# |
namespace ServMon {
partial class SettingsForm {
/// <summary>
/// Required designer variable.
/// </summary>
private System.ComponentModel.IContainer components = null;
/// <summary>
/// Clean up any resources being used.
/// </summary>
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
protected override void Dispose(bool disposing) {
if (disposing && (components != null)) {
components.Dispose();
}
base.Dispose(disposing);
}
#region Windows Form Designer generated code
/// <summary>
/// Required method for Designer support - do not modify
/// the contents of this method with the code editor.
/// </summary>
private void InitializeComponent() {
this.LGroupBox = new System.Windows.Forms.GroupBox();
this.LAutoStart = new System.Windows.Forms.CheckBox();
this.LBtnRestart = new System.Windows.Forms.Button();
this.LBtnStop = new System.Windows.Forms.Button();
this.LBtnStart = new System.Windows.Forms.Button();
this.LServiceLabel = new System.Windows.Forms.Label();
this.LServiceSel = new System.Windows.Forms.ComboBox();
this.RGroupBox = new System.Windows.Forms.GroupBox();
this.RAutoStart = new System.Windows.Forms.CheckBox();
this.RBtnRestart = new System.Windows.Forms.Button();
this.RBtnStop = new System.Windows.Forms.Button();
this.RServiceLabel = new System.Windows.Forms.Label();
this.RBtnStart = new System.Windows.Forms.Button();
this.RServiceSel = new System.Windows.Forms.ComboBox();
this.BtnSave = new System.Windows.Forms.Button();
this.Exit = new System.Windows.Forms.Button();
this.LogOutput = new System.Windows.Forms.RichTextBox();
this.MinimizedCheckbox = new System.Windows.Forms.CheckBox();
this.TimeoutLabel = new System.Windows.Forms.Label();
this.TimeoutInput = new System.Windows.Forms.NumericUpDown();
this.LGroupBox.SuspendLayout();
this.RGroupBox.SuspendLayout();
((System.ComponentModel.ISupportInitialize)(this.TimeoutInput)).BeginInit();
this.SuspendLayout();
//
// LGroupBox
//
this.LGroupBox.Controls.Add(this.LAutoStart);
this.LGroupBox.Controls.Add(this.LBtnRestart);
this.LGroupBox.Controls.Add(this.LBtnStop);
this.LGroupBox.Controls.Add(this.LBtnStart);
this.LGroupBox.Controls.Add(this.LServiceLabel);
this.LGroupBox.Controls.Add(this.LServiceSel);
this.LGroupBox.Location = new System.Drawing.Point(10, 10);
this.LGroupBox.Margin = new System.Windows.Forms.Padding(1);
this.LGroupBox.Name = "LGroupBox";
this.LGroupBox.Padding = new System.Windows.Forms.Padding(5);
this.LGroupBox.Size = new System.Drawing.Size(275, 98);
this.LGroupBox.TabIndex = 0;
this.LGroupBox.TabStop = false;
this.LGroupBox.Text = "Left Side";
//
// LAutoStart
//
this.LAutoStart.BackColor = System.Drawing.Color.Transparent;
this.LAutoStart.FlatStyle = System.Windows.Forms.FlatStyle.System;
this.LAutoStart.Location = new System.Drawing.Point(209, 20);
this.LAutoStart.Name = "LAutoStart";
this.LAutoStart.Size = new System.Drawing.Size(60, 17);
this.LAutoStart.TabIndex = 7;
this.LAutoStart.Text = "Autostart";
this.LAutoStart.UseVisualStyleBackColor = false;
this.LAutoStart.CheckedChanged += new System.EventHandler(this.LAutoStart_CheckedChanged);
//
// LBtnRestart
//
this.LBtnRestart.BackColor = System.Drawing.Color.Transparent;
this.LBtnRestart.FlatStyle = System.Windows.Forms.FlatStyle.System;
this.LBtnRestart.Font = new System.Drawing.Font("Microsoft Sans Serif", 9F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(238)));
this.LBtnRestart.Location = new System.Drawing.Point(184, 65);
this.LBtnRestart.Name = "LBtnRestart";
this.LBtnRestart.Size = new System.Drawing.Size(83, 23);
this.LBtnRestart.TabIndex = 4;
this.LBtnRestart.Text = "Restart";
this.LBtnRestart.UseVisualStyleBackColor = false;
this.LBtnRestart.Click += new System.EventHandler(this.LBtnRestart_Click);
//
// LBtnStop
//
this.LBtnStop.BackColor = System.Drawing.Color.Transparent;
this.LBtnStop.FlatAppearance.BorderColor = System.Drawing.Color.DarkRed;
this.LBtnStop.FlatAppearance.BorderSize = 2;
this.LBtnStop.FlatAppearance.MouseDownBackColor = System.Drawing.Color.Brown;
this.LBtnStop.FlatAppearance.MouseOverBackColor = System.Drawing.Color.Firebrick;
this.LBtnStop.Font = new System.Drawing.Font("Microsoft Sans Serif", 9F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(238)));
this.LBtnStop.ForeColor = System.Drawing.Color.DarkRed;
this.LBtnStop.Location = new System.Drawing.Point(96, 65);
this.LBtnStop.Name = "LBtnStop";
this.LBtnStop.Size = new System.Drawing.Size(82, 23);
this.LBtnStop.TabIndex = 3;
this.LBtnStop.Text = "Stop";
this.LBtnStop.UseVisualStyleBackColor = false;
this.LBtnStop.Click += new System.EventHandler(this.LBtnStop_Click);
//
// LBtnStart
//
this.LBtnStart.BackColor = System.Drawing.Color.Transparent;
this.LBtnStart.FlatAppearance.BorderColor = System.Drawing.Color.DarkGreen;
this.LBtnStart.FlatAppearance.BorderSize = 2;
this.LBtnStart.FlatAppearance.MouseDownBackColor = System.Drawing.Color.LimeGreen;
this.LBtnStart.FlatAppearance.MouseOverBackColor = System.Drawing.Color.ForestGreen;
this.LBtnStart.Font = new System.Drawing.Font("Microsoft Sans Serif", 9F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(238)));
this.LBtnStart.ForeColor = System.Drawing.Color.Green;
this.LBtnStart.Location = new System.Drawing.Point(8, 65);
this.LBtnStart.Name = "LBtnStart";
this.LBtnStart.Size = new System.Drawing.Size(82, 23);
this.LBtnStart.TabIndex = 2;
this.LBtnStart.Text = "Start";
this.LBtnStart.UseVisualStyleBackColor = false;
this.LBtnStart.Click += new System.EventHandler(this.LBtnStart_Click);
//
// LServiceLabel
//
this.LServiceLabel.AutoSize = true;
this.LServiceLabel.Location = new System.Drawing.Point(9, 22);
this.LServiceLabel.Name = "LServiceLabel";
this.LServiceLabel.Size = new System.Drawing.Size(141, 13);
this.LServiceLabel.TabIndex = 1;
this.LServiceLabel.Text = "Choose a service to monitor:";
//
// LServiceSel
//
this.LServiceSel.FormattingEnabled = true;
this.LServiceSel.Location = new System.Drawing.Point(8, 38);
this.LServiceSel.Name = "LServiceSel";
this.LServiceSel.Size = new System.Drawing.Size(259, 21);
this.LServiceSel.TabIndex = 0;
this.LServiceSel.SelectedIndexChanged += new System.EventHandler(this.LServiceSel_SelectedIndexChanged);
//
// RGroupBox
//
this.RGroupBox.Controls.Add(this.RAutoStart);
this.RGroupBox.Controls.Add(this.RBtnRestart);
this.RGroupBox.Controls.Add(this.RBtnStop);
this.RGroupBox.Controls.Add(this.RServiceLabel);
this.RGroupBox.Controls.Add(this.RBtnStart);
this.RGroupBox.Controls.Add(this.RServiceSel);
this.RGroupBox.Location = new System.Drawing.Point(299, 10);
this.RGroupBox.Margin = new System.Windows.Forms.Padding(1);
this.RGroupBox.Name = "RGroupBox";
this.RGroupBox.Padding = new System.Windows.Forms.Padding(5);
this.RGroupBox.Size = new System.Drawing.Size(275, 98);
this.RGroupBox.TabIndex = 1;
this.RGroupBox.TabStop = false;
this.RGroupBox.Text = "Right Side";
//
// RAutoStart
//
this.RAutoStart.BackColor = System.Drawing.Color.Transparent;
this.RAutoStart.FlatStyle = System.Windows.Forms.FlatStyle.System;
this.RAutoStart.Location = new System.Drawing.Point(209, 20);
this.RAutoStart.Name = "RAutoStart";
this.RAutoStart.Size = new System.Drawing.Size(60, 17);
this.RAutoStart.TabIndex = 6;
this.RAutoStart.Text = "Autostart";
this.RAutoStart.UseVisualStyleBackColor = false;
this.RAutoStart.CheckedChanged += new System.EventHandler(this.RAutoStart_CheckedChanged);
//
// RBtnRestart
//
this.RBtnRestart.BackColor = System.Drawing.Color.Transparent;
this.RBtnRestart.FlatStyle = System.Windows.Forms.FlatStyle.System;
this.RBtnRestart.Font = new System.Drawing.Font("Microsoft Sans Serif", 9F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(238)));
this.RBtnRestart.ForeColor = System.Drawing.SystemColors.ControlText;
this.RBtnRestart.Location = new System.Drawing.Point(184, 65);
this.RBtnRestart.Name = "RBtnRestart";
this.RBtnRestart.Size = new System.Drawing.Size(83, 23);
this.RBtnRestart.TabIndex = 5;
this.RBtnRestart.Text = "Restart";
this.RBtnRestart.UseVisualStyleBackColor = false;
this.RBtnRestart.Click += new System.EventHandler(this.RBtnRestart_Click);
//
// RBtnStop
//
this.RBtnStop.BackColor = System.Drawing.Color.Transparent;
this.RBtnStop.Font = new System.Drawing.Font("Microsoft Sans Serif", 9F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(238)));
this.RBtnStop.ForeColor = System.Drawing.Color.DarkRed;
this.RBtnStop.Location = new System.Drawing.Point(96, 65);
this.RBtnStop.Name = "RBtnStop";
this.RBtnStop.Size = new System.Drawing.Size(82, 23);
this.RBtnStop.TabIndex = 5;
this.RBtnStop.Text = "Stop";
this.RBtnStop.UseVisualStyleBackColor = false;
this.RBtnStop.Click += new System.EventHandler(this.RBtnStop_Click);
//
// RServiceLabel
//
this.RServiceLabel.AutoSize = true;
this.RServiceLabel.Location = new System.Drawing.Point(8, 22);
this.RServiceLabel.Name = "RServiceLabel";
this.RServiceLabel.Size = new System.Drawing.Size(141, 13);
this.RServiceLabel.TabIndex = 3;
this.RServiceLabel.Text = "Choose a service to monitor:";
//
// RBtnStart
//
this.RBtnStart.BackColor = System.Drawing.Color.Transparent;
this.RBtnStart.Font = new System.Drawing.Font("Microsoft Sans Serif", 9F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(238)));
this.RBtnStart.ForeColor = System.Drawing.Color.Green;
this.RBtnStart.Location = new System.Drawing.Point(8, 65);
this.RBtnStart.Name = "RBtnStart";
this.RBtnStart.Size = new System.Drawing.Size(82, 23);
this.RBtnStart.TabIndex = 4;
this.RBtnStart.Text = "Start";
this.RBtnStart.UseVisualStyleBackColor = false;
this.RBtnStart.Click += new System.EventHandler(this.RBtnStart_Click);
//
// RServiceSel
//
this.RServiceSel.FormattingEnabled = true;
this.RServiceSel.Location = new System.Drawing.Point(8, 38);
this.RServiceSel.Name = "RServiceSel";
this.RServiceSel.Size = new System.Drawing.Size(259, 21);
this.RServiceSel.TabIndex = 2;
this.RServiceSel.SelectedIndexChanged += new System.EventHandler(this.RServiceSel_SelectedIndexChanged);
//
// BtnSave
//
this.BtnSave.Location = new System.Drawing.Point(334, 112);
this.BtnSave.Name = "BtnSave";
this.BtnSave.Size = new System.Drawing.Size(116, 28);
this.BtnSave.TabIndex = 2;
this.BtnSave.Text = "Save Settings";
this.BtnSave.UseVisualStyleBackColor = true;
this.BtnSave.Click += new System.EventHandler(this.BtnSave_Click);
//
// Exit
//
this.Exit.Location = new System.Drawing.Point(456, 112);
this.Exit.Name = "Exit";
this.Exit.Size = new System.Drawing.Size(116, 28);
this.Exit.TabIndex = 3;
this.Exit.Text = "Exit Application";
this.Exit.UseVisualStyleBackColor = true;
this.Exit.Click += new System.EventHandler(this.Exit_Click);
//
// LogOutput
//
this.LogOutput.BackColor = System.Drawing.Color.Black;
this.LogOutput.BorderStyle = System.Windows.Forms.BorderStyle.None;
this.LogOutput.Font = new System.Drawing.Font("Courier New", 10F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(238)));
this.LogOutput.Location = new System.Drawing.Point(12, 147);
this.LogOutput.Name = "LogOutput";
this.LogOutput.ReadOnly = true;
this.LogOutput.ScrollBars = System.Windows.Forms.RichTextBoxScrollBars.Vertical;
this.LogOutput.Size = new System.Drawing.Size(560, 142);
this.LogOutput.TabIndex = 4;
this.LogOutput.Text = "";
//
// MinimizedCheckbox
//
this.MinimizedCheckbox.AutoSize = true;
this.MinimizedCheckbox.Location = new System.Drawing.Point(232, 119);
this.MinimizedCheckbox.Name = "MinimizedCheckbox";
this.MinimizedCheckbox.Size = new System.Drawing.Size(96, 17);
this.MinimizedCheckbox.TabIndex = 5;
this.MinimizedCheckbox.Text = "Start minimized";
this.MinimizedCheckbox.UseVisualStyleBackColor = true;
this.MinimizedCheckbox.CheckedChanged += new System.EventHandler(this.MinimizedCheckbox_CheckedChanged);
//
// TimeoutLabel
//
this.TimeoutLabel.AutoSize = true;
this.TimeoutLabel.Cursor = System.Windows.Forms.Cursors.Help;
this.TimeoutLabel.Location = new System.Drawing.Point(12, 120);
this.TimeoutLabel.Name = "TimeoutLabel";
this.TimeoutLabel.Size = new System.Drawing.Size(115, 13);
this.TimeoutLabel.TabIndex = 6;
this.TimeoutLabel.Text = "Service action timeout:";
//
// TimeoutInput
//
this.TimeoutInput.Location = new System.Drawing.Point(133, 118);
this.TimeoutInput.Maximum = new decimal(new int[] {
60,
0,
0,
0});
this.TimeoutInput.Name = "TimeoutInput";
this.TimeoutInput.Size = new System.Drawing.Size(45, 20);
this.TimeoutInput.TabIndex = 7;
this.TimeoutInput.TextAlign = System.Windows.Forms.HorizontalAlignment.Center;
this.TimeoutInput.ValueChanged += new System.EventHandler(this.TimeoutInput_ValueChanged);
//
// SettingsForm
//
this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F);
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
this.BackColor = System.Drawing.SystemColors.Control;
this.ClientSize = new System.Drawing.Size(584, 301);
this.Controls.Add(this.TimeoutInput);
this.Controls.Add(this.TimeoutLabel);
this.Controls.Add(this.MinimizedCheckbox);
this.Controls.Add(this.LogOutput);
this.Controls.Add(this.Exit);
this.Controls.Add(this.BtnSave);
this.Controls.Add(this.RGroupBox);
this.Controls.Add(this.LGroupBox);
this.FormBorderStyle = System.Windows.Forms.FormBorderStyle.FixedSingle;
this.MaximizeBox = false;
this.Name = "SettingsForm";
this.SizeGripStyle = System.Windows.Forms.SizeGripStyle.Hide;
this.StartPosition = System.Windows.Forms.FormStartPosition.CenterScreen;
this.Text = "ServMon";
this.FormClosing += new System.Windows.Forms.FormClosingEventHandler(this.SettingsForm_FormClosing);
this.Load += new System.EventHandler(this.SettingsForm_Load);
this.LGroupBox.ResumeLayout(false);
this.LGroupBox.PerformLayout();
this.RGroupBox.ResumeLayout(false);
this.RGroupBox.PerformLayout();
((System.ComponentModel.ISupportInitialize)(this.TimeoutInput)).EndInit();
this.ResumeLayout(false);
this.PerformLayout();
}
#endregion
private System.Windows.Forms.GroupBox LGroupBox;
private System.Windows.Forms.Label LServiceLabel;
private System.Windows.Forms.ComboBox LServiceSel;
private System.Windows.Forms.GroupBox RGroupBox;
private System.Windows.Forms.Label RServiceLabel;
private System.Windows.Forms.ComboBox RServiceSel;
private System.Windows.Forms.Button LBtnStop;
private System.Windows.Forms.Button LBtnStart;
private System.Windows.Forms.Button BtnSave;
private System.Windows.Forms.Button RBtnStop;
private System.Windows.Forms.Button RBtnStart;
private System.Windows.Forms.Button LBtnRestart;
private System.Windows.Forms.Button RBtnRestart;
private System.Windows.Forms.Button Exit;
private System.Windows.Forms.CheckBox LAutoStart;
private System.Windows.Forms.CheckBox RAutoStart;
private System.Windows.Forms.RichTextBox LogOutput;
private System.Windows.Forms.CheckBox MinimizedCheckbox;
private System.Windows.Forms.Label TimeoutLabel;
private System.Windows.Forms.NumericUpDown TimeoutInput;
}
}
| 44.770308 | 160 | 0.735031 | [
"MIT"
] | SeinopSys/ServMon | ServMon/SettingsForm.Designer.cs | 15,985 | C# |
using System;
using System.Net;
using DeviceId.Components;
namespace DeviceId
{
public static class DeviceInfo
{
/// <summary>
/// Return host name of device.
/// </summary>
/// <returns></returns>
public static string GetHostName()
=> Dns.GetHostName();
/// <summary>
/// Return current user name of device.
/// </summary>
/// <returns>Current user name of device</returns>
public static string GetUserName()
=> Environment.UserName;
/// <summary>
/// Return the machine name of device.
/// </summary>
/// <returns>Machine name of device</returns>
public static string GetMachineName()
=> Environment.MachineName;
/// <summary>
/// Return the operating system version of device.
/// </summary>
/// <returns>Operating system version of device</returns>
public static string GetOSVersion()
=> OS.Version;
/// <summary>
/// Return the processor ID of device.
/// </summary>
/// <returns>Processor ID of device.</returns>
public static string GetProcessorId()
{
IDeviceIdComponent comp;
if (OS.IsWindows)
{
comp = new WmiDeviceIdComponent("ProcessorId", "Win32_Processor", "ProcessorId");
}
else if (OS.IsLinux)
{
comp = new FileDeviceIdComponent("ProcessorId", "/proc/cpuinfo", true);
}
else
{
comp = new UnsupportedDeviceIdComponent("ProcessorId");
}
return comp.GetValue();
}
/// <summary>
/// Return the motherboard serial number of device. On Linux, this requires root privilege.
/// </summary>
/// <returns>The motherboard serial number of devicee.</returns>
public static string GetMotherboardSerialNumber()
{
IDeviceIdComponent comp;
if (OS.IsWindows)
{
comp = new WmiDeviceIdComponent("MotherboardSerialNumber", "Win32_BaseBoard", "SerialNumber");
}
else if (OS.IsLinux)
{
comp = new FileDeviceIdComponent("MotherboardSerialNumber", "/sys/class/dmi/id/board_serial");
}
else
{
comp = new UnsupportedDeviceIdComponent("MotherboardSerialNumber");
}
return comp.GetValue();
}
/// <summary>
/// Return the system drive's serial number of device.
/// </summary>
/// <returns>The system drive's serial number of device.</returns>
public static string GetSystemDriveSerialNumber()
{
IDeviceIdComponent comp;
if (OS.IsWindows)
{
comp = new SystemDriveSerialNumberDeviceIdComponent();
}
else if (OS.IsLinux)
{
comp = new LinuxRootDriveSerialNumberDeviceIdComponent();
}
else
{
comp = new UnsupportedDeviceIdComponent("SystemDriveSerialNumber");
}
return comp.GetValue();
}
/// <summary>
/// Return the system UUID of device. On Linux, this requires root privilege.
/// </summary>
/// <returns>The system UUID of device.</returns>
public static string GetSystemUUID()
{
IDeviceIdComponent comp;
if (OS.IsWindows)
{
comp = new WmiDeviceIdComponent("SystemUUID", "Win32_ComputerSystemProduct", "UUID");
}
else if (OS.IsLinux)
{
comp = new FileDeviceIdComponent("SystemUUID", "/sys/class/dmi/id/product_uuid");
}
else
{
comp = new UnsupportedDeviceIdComponent("SystemUUID");
}
return comp.GetValue();
}
/// <summary>
/// Return the installation id of the OS.
/// </summary>
/// <returns>The installation id of the OS.</returns>
public static string GetOSInstallationID()
{
IDeviceIdComponent comp;
if (OS.IsWindows)
{
comp = new RegistryValueDeviceIdComponent("OSInstallationID", @"HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Cryptography", "MachineGuid");
}
else if (OS.IsLinux)
{
comp = new FileDeviceIdComponent("OSInstallationID", new string[] { "/var/lib/dbus/machine-id", "/etc/machine-id" });
}
else
{
comp = new UnsupportedDeviceIdComponent("OSInstallationID");
}
return comp.GetValue();
}
}
}
| 31.692308 | 148 | 0.522249 | [
"MIT"
] | mr0fka/DeviceId | src/DeviceId/DeviceInfo.cs | 4,946 | C# |
using GraphQL.Types;
using Shamyr.Expendity.Server.Service.Graphql.Types.ExpenseType;
using Shamyr.Expendity.Server.Service.Graphql.Types.ProjectPermission;
using Shamyr.Expendity.Server.Service.Models.Project;
namespace Shamyr.Expendity.Server.Service.Graphql.Types.Project
{
public class ProjectDetailType: ObjectGraphType<ProjectDetailModel>
{
public ProjectDetailType()
{
Field(x => x.Id, type: typeof(NonNullGraphType<IdGraphType>));
Field(x => x.Name);
Field(x => x.Description, nullable: true);
Field<NonNullGraphType<CurrencyTypeType>>(nameof(ProjectDetailModel.CurrencyType));
Field<NonNullGraphType<PermissionTypeType>>(nameof(ProjectDetailModel.UserPermission), description: "Current user's permission for project.");
Field<NonNullGraphType<ListGraphType<NonNullGraphType<ProjectPermissionType>>>>(nameof(ProjectDetailModel.Permissions));
Field<NonNullGraphType<ListGraphType<NonNullGraphType<ExpenseTypeType>>>>(nameof(ProjectDetailModel.ExpenseTypes));
}
}
}
| 45 | 148 | 0.780676 | [
"MIT"
] | prixladi/expendity-server | src/Shamyr.Expendity.Server.Service/Graphql/Types/Project/ProjectDetailType.cs | 1,037 | C# |
// Copyright (c) Narvalo.Org. All rights reserved. See LICENSE.txt in the project root for license information.
namespace Narvalo.Linq
{
using System.Collections.Generic;
using System.Linq;
public static partial class Qperators
{
public static IEnumerable<TSource> CollectAny<TSource>(
this IEnumerable<TSource> source)
where TSource : class
{
Require.NotNull(source, nameof(source));
return source.Where(x => x != null);
}
public static IEnumerable<TSource> CollectAny<TSource>(
this IEnumerable<TSource?> source)
where TSource : struct
{
Require.NotNull(source, nameof(source));
return iterator();
// Identical to: source.Where(x => x.HasValue).Select(x => x.Value);
IEnumerable<TSource> iterator()
{
foreach (var item in source)
{
if (item.HasValue) { yield return item.Value; }
}
}
}
}
}
| 28.394737 | 112 | 0.55329 | [
"BSD-2-Clause"
] | chtoucas/Narvalo.NET | src/Narvalo.Fx/Linq/CollectAny.cs | 1,081 | C# |
using System.Diagnostics.CodeAnalysis;
using Content.Server.Hands.Components;
using Content.Server.Pulling;
using Content.Shared.ActionBlocker;
using Content.Shared.Alert;
using Content.Shared.Buckle.Components;
using Content.Shared.Interaction;
using Content.Shared.MobState.Components;
using Content.Shared.Popups;
using Content.Shared.Pulling.Components;
using Content.Shared.Standing;
using Content.Shared.Stunnable;
using Robust.Server.GameObjects;
using Robust.Shared.Audio;
using Robust.Shared.Containers;
using Robust.Shared.Player;
using Robust.Shared.Timing;
namespace Content.Server.Buckle.Components
{
/// <summary>
/// Component that handles sitting entities into <see cref="StrapComponent"/>s.
/// </summary>
[RegisterComponent]
[ComponentReference(typeof(SharedBuckleComponent))]
public sealed class BuckleComponent : SharedBuckleComponent
{
[Dependency] private readonly IEntityManager _entMan = default!;
[Dependency] private readonly IGameTiming _gameTiming = default!;
[DataField("size")]
private int _size = 100;
/// <summary>
/// The amount of time that must pass for this entity to
/// be able to unbuckle after recently buckling.
/// </summary>
[DataField("delay")]
[ViewVariables]
private TimeSpan _unbuckleDelay = TimeSpan.FromSeconds(0.25f);
/// <summary>
/// The time that this entity buckled at.
/// </summary>
[ViewVariables]
private TimeSpan _buckleTime;
/// <summary>
/// The position offset that is being applied to this entity if buckled.
/// </summary>
public Vector2 BuckleOffset { get; private set; }
private StrapComponent? _buckledTo;
/// <summary>
/// The strap that this component is buckled to.
/// </summary>
[ViewVariables]
public StrapComponent? BuckledTo
{
get => _buckledTo;
private set
{
_buckledTo = value;
_buckleTime = _gameTiming.CurTime;
Dirty();
}
}
[ViewVariables]
public override bool Buckled => BuckledTo != null;
/// <summary>
/// The amount of space that this entity occupies in a
/// <see cref="StrapComponent"/>.
/// </summary>
[ViewVariables]
public int Size => _size;
/// <summary>
/// Shows or hides the buckled status effect depending on if the
/// entity is buckled or not.
/// </summary>
private void UpdateBuckleStatus()
{
if (Buckled)
{
AlertType alertType = BuckledTo?.BuckledAlertType ?? AlertType.Buckled;
EntitySystem.Get<AlertsSystem>().ShowAlert(Owner, alertType);
}
else
{
EntitySystem.Get<AlertsSystem>().ClearAlertCategory(Owner, AlertCategory.Buckled);
}
}
/// <summary>
/// Reattaches this entity to the strap, modifying its position and rotation.
/// </summary>
/// <param name="strap">The strap to reattach to.</param>
public void ReAttach(StrapComponent strap)
{
var ownTransform = _entMan.GetComponent<TransformComponent>(Owner);
var strapTransform = _entMan.GetComponent<TransformComponent>(strap.Owner);
ownTransform.AttachParent(strapTransform);
ownTransform.LocalRotation = Angle.Zero;
switch (strap.Position)
{
case StrapPosition.None:
break;
case StrapPosition.Stand:
EntitySystem.Get<StandingStateSystem>().Stand(Owner);
break;
case StrapPosition.Down:
EntitySystem.Get<StandingStateSystem>().Down(Owner, false, false);
break;
}
ownTransform.LocalPosition = strap.BuckleOffset;
}
public bool CanBuckle(EntityUid user, EntityUid to, [NotNullWhen(true)] out StrapComponent? strap)
{
var popupSystem = EntitySystem.Get<SharedPopupSystem>();
strap = null;
if (user == to)
{
return false;
}
if (!_entMan.TryGetComponent(to, out strap))
{
return false;
}
var strapUid = strap.Owner;
bool Ignored(EntityUid entity) => entity == Owner || entity == user || entity == strapUid;
if (!EntitySystem.Get<SharedInteractionSystem>().InRangeUnobstructed(Owner, strapUid, Range, predicate: Ignored, popup: true))
{
return false;
}
// If in a container
if (Owner.TryGetContainer(out var ownerContainer))
{
// And not in the same container as the strap
if (!strap.Owner.TryGetContainer(out var strapContainer) ||
ownerContainer != strapContainer)
{
return false;
}
}
if (!_entMan.HasComponent<HandsComponent>(user))
{
popupSystem.PopupEntity(Loc.GetString("buckle-component-no-hands-message"), user, Filter.Entities(user));
return false;
}
if (Buckled)
{
var message = Loc.GetString(Owner == user
? "buckle-component-already-buckled-message"
: "buckle-component-other-already-buckled-message", ("owner", Owner));
popupSystem.PopupEntity(message, user, Filter.Entities(user));
return false;
}
var parent = _entMan.GetComponent<TransformComponent>(to).Parent;
while (parent != null)
{
if (parent == _entMan.GetComponent<TransformComponent>(user))
{
var message = Loc.GetString(Owner == user
? "buckle-component-cannot-buckle-message"
: "buckle-component-other-cannot-buckle-message", ("owner", Owner));
popupSystem.PopupEntity(message, user, Filter.Entities(user));
return false;
}
parent = parent.Parent;
}
if (!strap.HasSpace(this))
{
var message = Loc.GetString(Owner == user
? "buckle-component-cannot-fit-message"
: "buckle-component-other-cannot-fit-message", ("owner", Owner));
popupSystem.PopupEntity(message, user, Filter.Entities(user));
return false;
}
return true;
}
public override bool TryBuckle(EntityUid user, EntityUid to)
{
var popupSystem = EntitySystem.Get<SharedPopupSystem>();
if (!CanBuckle(user, to, out var strap))
{
return false;
}
SoundSystem.Play(Filter.Pvs(Owner), strap.BuckleSound.GetSound(), Owner);
if (!strap.TryAdd(this))
{
var message = Loc.GetString(Owner == user
? "buckle-component-cannot-buckle-message"
: "buckle-component-other-cannot-buckle-message", ("owner", Owner));
popupSystem.PopupEntity(message, user, Filter.Entities(user));
return false;
}
if(_entMan.TryGetComponent<AppearanceComponent>(Owner, out var appearance))
appearance.SetData(BuckleVisuals.Buckled, true);
ReAttach(strap);
BuckledTo = strap;
LastEntityBuckledTo = BuckledTo.Owner;
DontCollide = true;
UpdateBuckleStatus();
var ev = new BuckleChangeEvent() { Buckling = true, Strap = BuckledTo.Owner };
_entMan.EventBus.RaiseLocalEvent(Owner, ev, false);
if (_entMan.TryGetComponent(Owner, out SharedPullableComponent? ownerPullable))
{
if (ownerPullable.Puller != null)
{
EntitySystem.Get<PullingSystem>().TryStopPull(ownerPullable);
}
}
if (_entMan.TryGetComponent(to, out SharedPullableComponent? toPullable))
{
if (toPullable.Puller == Owner)
{
// can't pull it and buckle to it at the same time
EntitySystem.Get<PullingSystem>().TryStopPull(toPullable);
}
}
return true;
}
/// <summary>
/// Tries to unbuckle the Owner of this component from its current strap.
/// </summary>
/// <param name="user">The entity doing the unbuckling.</param>
/// <param name="force">
/// Whether to force the unbuckling or not. Does not guarantee true to
/// be returned, but guarantees the owner to be unbuckled afterwards.
/// </param>
/// <returns>
/// true if the owner was unbuckled, otherwise false even if the owner
/// was previously already unbuckled.
/// </returns>
public bool TryUnbuckle(EntityUid user, bool force = false)
{
if (BuckledTo == null)
{
return false;
}
var oldBuckledTo = BuckledTo;
if (!force)
{
if (_gameTiming.CurTime < _buckleTime + _unbuckleDelay)
{
return false;
}
if (!EntitySystem.Get<SharedInteractionSystem>().InRangeUnobstructed(user, oldBuckledTo.Owner, Range, popup: true))
{
return false;
}
}
BuckledTo = null;
var entManager = IoCManager.Resolve<IEntityManager>();
var xform = entManager.GetComponent<TransformComponent>(Owner);
var oldBuckledXform = entManager.GetComponent<TransformComponent>(oldBuckledTo.Owner);
if (xform.ParentUid == oldBuckledXform.Owner)
{
xform.AttachParentToContainerOrGrid();
xform.WorldRotation = oldBuckledXform.WorldRotation;
if (oldBuckledTo.UnbuckleOffset != Vector2.Zero)
xform.Coordinates = oldBuckledXform.Coordinates.Offset(oldBuckledTo.UnbuckleOffset);
}
if(_entMan.TryGetComponent<AppearanceComponent>(Owner, out var appearance))
appearance.SetData(BuckleVisuals.Buckled, false);
if (_entMan.HasComponent<KnockedDownComponent>(Owner)
| _entMan.TryGetComponent<MobStateComponent>(Owner, out var mobState) && mobState.IsIncapacitated())
{
EntitySystem.Get<StandingStateSystem>().Down(Owner);
}
else
{
EntitySystem.Get<StandingStateSystem>().Stand(Owner);
}
mobState?.CurrentState?.EnterState(Owner, _entMan);
UpdateBuckleStatus();
oldBuckledTo.Remove(this);
SoundSystem.Play(Filter.Pvs(Owner), oldBuckledTo.UnbuckleSound.GetSound(), Owner);
var ev = new BuckleChangeEvent() { Buckling = false, Strap = oldBuckledTo.Owner };
_entMan.EventBus.RaiseLocalEvent(Owner, ev, false);
return true;
}
/// <summary>
/// Makes an entity toggle the buckling status of the owner to a
/// specific entity.
/// </summary>
/// <param name="user">The entity doing the buckling/unbuckling.</param>
/// <param name="to">
/// The entity to toggle the buckle status of the owner to.
/// </param>
/// <param name="force">
/// Whether to force the unbuckling or not, if it happens. Does not
/// guarantee true to be returned, but guarantees the owner to be
/// unbuckled afterwards.
/// </param>
/// <returns>true if the buckling status was changed, false otherwise.</returns>
public bool ToggleBuckle(EntityUid user, EntityUid to, bool force = false)
{
if (BuckledTo?.Owner == to)
{
return TryUnbuckle(user, force);
}
return TryBuckle(user, to);
}
protected override void Startup()
{
base.Startup();
UpdateBuckleStatus();
}
protected override void Shutdown()
{
BuckledTo?.Remove(this);
TryUnbuckle(Owner, true);
_buckleTime = default;
UpdateBuckleStatus();
base.Shutdown();
}
public override ComponentState GetComponentState()
{
int? drawDepth = null;
if (BuckledTo != null &&
_entMan.GetComponent<TransformComponent>(BuckledTo.Owner).LocalRotation.GetCardinalDir() == Direction.North &&
_entMan.TryGetComponent<SpriteComponent>(BuckledTo.Owner, out var spriteComponent))
{
drawDepth = spriteComponent.DrawDepth - 1;
}
return new BuckleComponentState(Buckled, drawDepth, LastEntityBuckledTo, DontCollide);
}
}
}
| 35.095607 | 138 | 0.552349 | [
"MIT"
] | Alainx277/space-station-14 | Content.Server/Buckle/Components/BuckleComponent.cs | 13,582 | C# |
using SEDC.NotesAPI.Domain.Models;
using SEDC.NotesAPI.Models.Notes;
using SEDC.NotesAPI.Shared.Enums;
using System;
using System.Collections.Generic;
using System.Text;
namespace SEDC.NotesAPI.Mappers
{
public static class NoteMapper
{
public static Note ToNote(this NoteModel noteModel)
{
return new Note
{
Id = noteModel.Id,
Text = noteModel.Text,
Color = noteModel.Color,
Tag = noteModel.Tag,
UserId = noteModel.UserId
};
}
public static Note ToNote(this AddNoteModel noteModel)
{
return new Note
{
Text = noteModel.Text,
Color = noteModel.Color,
Tag = (TagType)noteModel.Tag,
UserId = noteModel.UserId
};
}
public static NoteModel ToNoteModel(this Note note)
{
return new NoteModel
{
Id = note.Id,
Text = note.Text,
Color = note.Color,
Tag = note.Tag,
UserId = note.UserId,
UserFullName = $"{note.User.FirstName} {note.User.LastName}"
};
}
}
}
| 26.22449 | 76 | 0.500389 | [
"MIT"
] | sedc-codecademy/skwd9-09-aspnetwebapi | G4/Class14-15/API-SEDC.NotesAPI/SEDC.NotesAPI/SEDC.NotesAPI.Mappers/NoteMapper.cs | 1,287 | 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;
using System.Collections.Generic;
using System.Linq;
using EnsureThat;
using Hl7.Fhir.ElementModel;
using Microsoft.Health.Fhir.Core.Features.Search.SearchValues;
namespace Microsoft.Health.Fhir.Core.Features.Search.Converters
{
public abstract class FhirNodeToSearchValueTypeConverter<T> : IFhirNodeToSearchValueTypeConverter
{
protected FhirNodeToSearchValueTypeConverter(params string[] fhirNodeTypes)
{
EnsureArg.HasItems(fhirNodeTypes, nameof(fhirNodeTypes));
FhirNodeTypes = fhirNodeTypes;
}
public virtual IReadOnlyList<string> FhirNodeTypes { get; }
public Type SearchValueType { get; } = typeof(T);
public IEnumerable<ISearchValue> ConvertTo(ITypedElement value)
{
if (value == null)
{
return Enumerable.Empty<ISearchValue>();
}
if (!FhirNodeTypes.Contains(value.InstanceType))
{
throw new ArgumentOutOfRangeException(nameof(value));
}
return Convert(value);
}
protected abstract IEnumerable<ISearchValue> Convert(ITypedElement value);
}
}
| 33.804348 | 101 | 0.583923 | [
"MIT"
] | 10thmagnitude/fhir-server | src/Microsoft.Health.Fhir.Core/Features/Search/Converters/FhirNodeToSearchValueTypeConverter.cs | 1,557 | C# |
#pragma warning disable 1591
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by a tool.
// Runtime Version:4.0.30319.42000
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
[assembly: global::Android.Runtime.ResourceDesignerAttribute("LiveHTS.Droid.Resource", IsApplication=true)]
namespace LiveHTS.Droid
{
[System.CodeDom.Compiler.GeneratedCodeAttribute("Xamarin.Android.Build.Tasks", "1.0.0.0")]
public partial class Resource
{
static Resource()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
public static void UpdateIdValues()
{
global::AndroidHUD.Resource.Attribute.ahBarColor = global::LiveHTS.Droid.Resource.Attribute.ahBarColor;
global::AndroidHUD.Resource.Attribute.ahBarLength = global::LiveHTS.Droid.Resource.Attribute.ahBarLength;
global::AndroidHUD.Resource.Attribute.ahBarWidth = global::LiveHTS.Droid.Resource.Attribute.ahBarWidth;
global::AndroidHUD.Resource.Attribute.ahCircleColor = global::LiveHTS.Droid.Resource.Attribute.ahCircleColor;
global::AndroidHUD.Resource.Attribute.ahDelayMillis = global::LiveHTS.Droid.Resource.Attribute.ahDelayMillis;
global::AndroidHUD.Resource.Attribute.ahRadius = global::LiveHTS.Droid.Resource.Attribute.ahRadius;
global::AndroidHUD.Resource.Attribute.ahRimColor = global::LiveHTS.Droid.Resource.Attribute.ahRimColor;
global::AndroidHUD.Resource.Attribute.ahRimWidth = global::LiveHTS.Droid.Resource.Attribute.ahRimWidth;
global::AndroidHUD.Resource.Attribute.ahSpinSpeed = global::LiveHTS.Droid.Resource.Attribute.ahSpinSpeed;
global::AndroidHUD.Resource.Attribute.ahText = global::LiveHTS.Droid.Resource.Attribute.ahText;
global::AndroidHUD.Resource.Attribute.ahTextColor = global::LiveHTS.Droid.Resource.Attribute.ahTextColor;
global::AndroidHUD.Resource.Attribute.ahTextSize = global::LiveHTS.Droid.Resource.Attribute.ahTextSize;
global::AndroidHUD.Resource.Drawable.ic_errorstatus = global::LiveHTS.Droid.Resource.Drawable.ic_errorstatus;
global::AndroidHUD.Resource.Drawable.ic_successstatus = global::LiveHTS.Droid.Resource.Drawable.ic_successstatus;
global::AndroidHUD.Resource.Drawable.roundedbg = global::LiveHTS.Droid.Resource.Drawable.roundedbg;
global::AndroidHUD.Resource.Drawable.roundedbgdark = global::LiveHTS.Droid.Resource.Drawable.roundedbgdark;
global::AndroidHUD.Resource.Id.loadingImage = global::LiveHTS.Droid.Resource.Id.loadingImage;
global::AndroidHUD.Resource.Id.loadingProgressBar = global::LiveHTS.Droid.Resource.Id.loadingProgressBar;
global::AndroidHUD.Resource.Id.loadingProgressWheel = global::LiveHTS.Droid.Resource.Id.loadingProgressWheel;
global::AndroidHUD.Resource.Id.textViewStatus = global::LiveHTS.Droid.Resource.Id.textViewStatus;
global::AndroidHUD.Resource.Layout.loading = global::LiveHTS.Droid.Resource.Layout.loading;
global::AndroidHUD.Resource.Layout.loadingimage = global::LiveHTS.Droid.Resource.Layout.loadingimage;
global::AndroidHUD.Resource.Layout.loadingprogress = global::LiveHTS.Droid.Resource.Layout.loadingprogress;
global::AndroidHUD.Resource.String.library_name = global::LiveHTS.Droid.Resource.String.library_name;
global::AndroidHUD.Resource.Styleable.ProgressWheel = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahBarColor = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahBarColor;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahBarLength = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahBarLength;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahBarWidth = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahBarWidth;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahCircleColor = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahCircleColor;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahDelayMillis = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahDelayMillis;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahRadius = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahRadius;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahRimColor = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahRimColor;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahRimWidth = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahRimWidth;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahSpinSpeed = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahSpinSpeed;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahText = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahText;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahTextColor = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahTextColor;
global::AndroidHUD.Resource.Styleable.ProgressWheel_ahTextSize = global::LiveHTS.Droid.Resource.Styleable.ProgressWheel_ahTextSize;
global::MvvmCross.Binding.Droid.Resource.Attribute.MvxBind = global::LiveHTS.Droid.Resource.Attribute.MvxBind;
global::MvvmCross.Binding.Droid.Resource.Attribute.MvxDropDownItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxDropDownItemTemplate;
global::MvvmCross.Binding.Droid.Resource.Attribute.MvxGroupItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxGroupItemTemplate;
global::MvvmCross.Binding.Droid.Resource.Attribute.MvxItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxItemTemplate;
global::MvvmCross.Binding.Droid.Resource.Attribute.MvxLang = global::LiveHTS.Droid.Resource.Attribute.MvxLang;
global::MvvmCross.Binding.Droid.Resource.Attribute.MvxSource = global::LiveHTS.Droid.Resource.Attribute.MvxSource;
global::MvvmCross.Binding.Droid.Resource.Attribute.MvxTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxTemplate;
global::MvvmCross.Binding.Droid.Resource.Id.MvvmCrossTagId = global::LiveHTS.Droid.Resource.Id.MvvmCrossTagId;
global::MvvmCross.Binding.Droid.Resource.Id.MvxBindingTagUnique = global::LiveHTS.Droid.Resource.Id.MvxBindingTagUnique;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxBinding = global::LiveHTS.Droid.Resource.Styleable.MvxBinding;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxBinding_MvxBind = global::LiveHTS.Droid.Resource.Styleable.MvxBinding_MvxBind;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxBinding_MvxLang = global::LiveHTS.Droid.Resource.Styleable.MvxBinding_MvxLang;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxControl = global::LiveHTS.Droid.Resource.Styleable.MvxControl;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxControl_MvxTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxControl_MvxTemplate;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxExpandableListView = global::LiveHTS.Droid.Resource.Styleable.MvxExpandableListView;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxExpandableListView_MvxGroupItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxExpandableListView_MvxGroupItemTemplate;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxImageView = global::LiveHTS.Droid.Resource.Styleable.MvxImageView;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxImageView_MvxSource = global::LiveHTS.Droid.Resource.Styleable.MvxImageView_MvxSource;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxListView = global::LiveHTS.Droid.Resource.Styleable.MvxListView;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxListView_MvxDropDownItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxListView_MvxDropDownItemTemplate;
global::MvvmCross.Binding.Droid.Resource.Styleable.MvxListView_MvxItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxListView_MvxItemTemplate;
global::MvvmCross.Droid.FullFragging.Resource.Attribute.MvxBind = global::LiveHTS.Droid.Resource.Attribute.MvxBind;
global::MvvmCross.Droid.FullFragging.Resource.Attribute.MvxDropDownItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxDropDownItemTemplate;
global::MvvmCross.Droid.FullFragging.Resource.Attribute.MvxGroupItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxGroupItemTemplate;
global::MvvmCross.Droid.FullFragging.Resource.Attribute.MvxItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxItemTemplate;
global::MvvmCross.Droid.FullFragging.Resource.Attribute.MvxLang = global::LiveHTS.Droid.Resource.Attribute.MvxLang;
global::MvvmCross.Droid.FullFragging.Resource.Attribute.MvxSource = global::LiveHTS.Droid.Resource.Attribute.MvxSource;
global::MvvmCross.Droid.FullFragging.Resource.Attribute.MvxTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxTemplate;
global::MvvmCross.Droid.FullFragging.Resource.Id.MvvmCrossTagId = global::LiveHTS.Droid.Resource.Id.MvvmCrossTagId;
global::MvvmCross.Droid.FullFragging.Resource.Id.MvxBindingTagUnique = global::LiveHTS.Droid.Resource.Id.MvxBindingTagUnique;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxBinding = global::LiveHTS.Droid.Resource.Styleable.MvxBinding;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxBinding_MvxBind = global::LiveHTS.Droid.Resource.Styleable.MvxBinding_MvxBind;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxBinding_MvxLang = global::LiveHTS.Droid.Resource.Styleable.MvxBinding_MvxLang;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxControl = global::LiveHTS.Droid.Resource.Styleable.MvxControl;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxControl_MvxTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxControl_MvxTemplate;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxExpandableListView = global::LiveHTS.Droid.Resource.Styleable.MvxExpandableListView;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxExpandableListView_MvxGroupItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxExpandableListView_MvxGroupItemTemplate;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxImageView = global::LiveHTS.Droid.Resource.Styleable.MvxImageView;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxImageView_MvxSource = global::LiveHTS.Droid.Resource.Styleable.MvxImageView_MvxSource;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxListView = global::LiveHTS.Droid.Resource.Styleable.MvxListView;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxListView_MvxDropDownItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxListView_MvxDropDownItemTemplate;
global::MvvmCross.Droid.FullFragging.Resource.Styleable.MvxListView_MvxItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxListView_MvxItemTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_fade_in = global::LiveHTS.Droid.Resource.Animation.abc_fade_in;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_fade_out = global::LiveHTS.Droid.Resource.Animation.abc_fade_out;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_grow_fade_in_from_bottom = global::LiveHTS.Droid.Resource.Animation.abc_grow_fade_in_from_bottom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_popup_enter = global::LiveHTS.Droid.Resource.Animation.abc_popup_enter;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_popup_exit = global::LiveHTS.Droid.Resource.Animation.abc_popup_exit;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_shrink_fade_out_from_bottom = global::LiveHTS.Droid.Resource.Animation.abc_shrink_fade_out_from_bottom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_slide_in_bottom = global::LiveHTS.Droid.Resource.Animation.abc_slide_in_bottom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_slide_in_top = global::LiveHTS.Droid.Resource.Animation.abc_slide_in_top;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_slide_out_bottom = global::LiveHTS.Droid.Resource.Animation.abc_slide_out_bottom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Animation.abc_slide_out_top = global::LiveHTS.Droid.Resource.Animation.abc_slide_out_top;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.MvxBind = global::LiveHTS.Droid.Resource.Attribute.MvxBind;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.MvxDropDownItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxDropDownItemTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.MvxGroupItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxGroupItemTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.MvxItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxItemTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.MvxLang = global::LiveHTS.Droid.Resource.Attribute.MvxLang;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.MvxSource = global::LiveHTS.Droid.Resource.Attribute.MvxSource;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.MvxTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarDivider = global::LiveHTS.Droid.Resource.Attribute.actionBarDivider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarItemBackground = global::LiveHTS.Droid.Resource.Attribute.actionBarItemBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarPopupTheme = global::LiveHTS.Droid.Resource.Attribute.actionBarPopupTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarSize = global::LiveHTS.Droid.Resource.Attribute.actionBarSize;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarSplitStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarSplitStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarTabBarStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarTabBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarTabStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarTabStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarTabTextStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarTabTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarTheme = global::LiveHTS.Droid.Resource.Attribute.actionBarTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionBarWidgetTheme = global::LiveHTS.Droid.Resource.Attribute.actionBarWidgetTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionButtonStyle = global::LiveHTS.Droid.Resource.Attribute.actionButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionDropDownStyle = global::LiveHTS.Droid.Resource.Attribute.actionDropDownStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionLayout = global::LiveHTS.Droid.Resource.Attribute.actionLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionMenuTextAppearance = global::LiveHTS.Droid.Resource.Attribute.actionMenuTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionMenuTextColor = global::LiveHTS.Droid.Resource.Attribute.actionMenuTextColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeBackground = global::LiveHTS.Droid.Resource.Attribute.actionModeBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeCloseButtonStyle = global::LiveHTS.Droid.Resource.Attribute.actionModeCloseButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeCloseDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeCloseDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeCopyDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeCopyDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeCutDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeCutDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeFindDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeFindDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModePasteDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModePasteDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModePopupWindowStyle = global::LiveHTS.Droid.Resource.Attribute.actionModePopupWindowStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeSelectAllDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeSelectAllDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeShareDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeShareDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeSplitBackground = global::LiveHTS.Droid.Resource.Attribute.actionModeSplitBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeStyle = global::LiveHTS.Droid.Resource.Attribute.actionModeStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionModeWebSearchDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeWebSearchDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionOverflowButtonStyle = global::LiveHTS.Droid.Resource.Attribute.actionOverflowButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionOverflowMenuStyle = global::LiveHTS.Droid.Resource.Attribute.actionOverflowMenuStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionProviderClass = global::LiveHTS.Droid.Resource.Attribute.actionProviderClass;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.actionViewClass = global::LiveHTS.Droid.Resource.Attribute.actionViewClass;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.activityChooserViewStyle = global::LiveHTS.Droid.Resource.Attribute.activityChooserViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.alertDialogButtonGroupStyle = global::LiveHTS.Droid.Resource.Attribute.alertDialogButtonGroupStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.alertDialogCenterButtons = global::LiveHTS.Droid.Resource.Attribute.alertDialogCenterButtons;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.alertDialogStyle = global::LiveHTS.Droid.Resource.Attribute.alertDialogStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.alertDialogTheme = global::LiveHTS.Droid.Resource.Attribute.alertDialogTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.allowStacking = global::LiveHTS.Droid.Resource.Attribute.allowStacking;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.alpha = global::LiveHTS.Droid.Resource.Attribute.alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.arrowHeadLength = global::LiveHTS.Droid.Resource.Attribute.arrowHeadLength;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.arrowShaftLength = global::LiveHTS.Droid.Resource.Attribute.arrowShaftLength;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.autoCompleteTextViewStyle = global::LiveHTS.Droid.Resource.Attribute.autoCompleteTextViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.background = global::LiveHTS.Droid.Resource.Attribute.background;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.backgroundSplit = global::LiveHTS.Droid.Resource.Attribute.backgroundSplit;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.backgroundStacked = global::LiveHTS.Droid.Resource.Attribute.backgroundStacked;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.backgroundTint = global::LiveHTS.Droid.Resource.Attribute.backgroundTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.backgroundTintMode = global::LiveHTS.Droid.Resource.Attribute.backgroundTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.barLength = global::LiveHTS.Droid.Resource.Attribute.barLength;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.borderlessButtonStyle = global::LiveHTS.Droid.Resource.Attribute.borderlessButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonBarButtonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonBarNegativeButtonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarNegativeButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonBarNeutralButtonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarNeutralButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonBarPositiveButtonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarPositiveButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonBarStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonGravity = global::LiveHTS.Droid.Resource.Attribute.buttonGravity;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonPanelSideLayout = global::LiveHTS.Droid.Resource.Attribute.buttonPanelSideLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonStyleSmall = global::LiveHTS.Droid.Resource.Attribute.buttonStyleSmall;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonTint = global::LiveHTS.Droid.Resource.Attribute.buttonTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.buttonTintMode = global::LiveHTS.Droid.Resource.Attribute.buttonTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.checkboxStyle = global::LiveHTS.Droid.Resource.Attribute.checkboxStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.checkedTextViewStyle = global::LiveHTS.Droid.Resource.Attribute.checkedTextViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.closeIcon = global::LiveHTS.Droid.Resource.Attribute.closeIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.closeItemLayout = global::LiveHTS.Droid.Resource.Attribute.closeItemLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.collapseContentDescription = global::LiveHTS.Droid.Resource.Attribute.collapseContentDescription;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.collapseIcon = global::LiveHTS.Droid.Resource.Attribute.collapseIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.color = global::LiveHTS.Droid.Resource.Attribute.color;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorAccent = global::LiveHTS.Droid.Resource.Attribute.colorAccent;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorBackgroundFloating = global::LiveHTS.Droid.Resource.Attribute.colorBackgroundFloating;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorButtonNormal = global::LiveHTS.Droid.Resource.Attribute.colorButtonNormal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorControlActivated = global::LiveHTS.Droid.Resource.Attribute.colorControlActivated;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorControlHighlight = global::LiveHTS.Droid.Resource.Attribute.colorControlHighlight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorControlNormal = global::LiveHTS.Droid.Resource.Attribute.colorControlNormal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorPrimary = global::LiveHTS.Droid.Resource.Attribute.colorPrimary;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorPrimaryDark = global::LiveHTS.Droid.Resource.Attribute.colorPrimaryDark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.colorSwitchThumbNormal = global::LiveHTS.Droid.Resource.Attribute.colorSwitchThumbNormal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.commitIcon = global::LiveHTS.Droid.Resource.Attribute.commitIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.contentInsetEnd = global::LiveHTS.Droid.Resource.Attribute.contentInsetEnd;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.contentInsetEndWithActions = global::LiveHTS.Droid.Resource.Attribute.contentInsetEndWithActions;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.contentInsetLeft = global::LiveHTS.Droid.Resource.Attribute.contentInsetLeft;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.contentInsetRight = global::LiveHTS.Droid.Resource.Attribute.contentInsetRight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.contentInsetStart = global::LiveHTS.Droid.Resource.Attribute.contentInsetStart;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.contentInsetStartWithNavigation = global::LiveHTS.Droid.Resource.Attribute.contentInsetStartWithNavigation;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.controlBackground = global::LiveHTS.Droid.Resource.Attribute.controlBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.customNavigationLayout = global::LiveHTS.Droid.Resource.Attribute.customNavigationLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.defaultQueryHint = global::LiveHTS.Droid.Resource.Attribute.defaultQueryHint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.dialogPreferredPadding = global::LiveHTS.Droid.Resource.Attribute.dialogPreferredPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.dialogTheme = global::LiveHTS.Droid.Resource.Attribute.dialogTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.displayOptions = global::LiveHTS.Droid.Resource.Attribute.displayOptions;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.divider = global::LiveHTS.Droid.Resource.Attribute.divider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.dividerHorizontal = global::LiveHTS.Droid.Resource.Attribute.dividerHorizontal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.dividerPadding = global::LiveHTS.Droid.Resource.Attribute.dividerPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.dividerVertical = global::LiveHTS.Droid.Resource.Attribute.dividerVertical;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.drawableSize = global::LiveHTS.Droid.Resource.Attribute.drawableSize;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.drawerArrowStyle = global::LiveHTS.Droid.Resource.Attribute.drawerArrowStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.dropDownListViewStyle = global::LiveHTS.Droid.Resource.Attribute.dropDownListViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.dropdownListPreferredItemHeight = global::LiveHTS.Droid.Resource.Attribute.dropdownListPreferredItemHeight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.editTextBackground = global::LiveHTS.Droid.Resource.Attribute.editTextBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.editTextColor = global::LiveHTS.Droid.Resource.Attribute.editTextColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.editTextStyle = global::LiveHTS.Droid.Resource.Attribute.editTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.elevation = global::LiveHTS.Droid.Resource.Attribute.elevation;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.expandActivityOverflowButtonDrawable = global::LiveHTS.Droid.Resource.Attribute.expandActivityOverflowButtonDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.gapBetweenBars = global::LiveHTS.Droid.Resource.Attribute.gapBetweenBars;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.goIcon = global::LiveHTS.Droid.Resource.Attribute.goIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.height = global::LiveHTS.Droid.Resource.Attribute.height;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.hideOnContentScroll = global::LiveHTS.Droid.Resource.Attribute.hideOnContentScroll;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.homeAsUpIndicator = global::LiveHTS.Droid.Resource.Attribute.homeAsUpIndicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.homeLayout = global::LiveHTS.Droid.Resource.Attribute.homeLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.icon = global::LiveHTS.Droid.Resource.Attribute.icon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.iconifiedByDefault = global::LiveHTS.Droid.Resource.Attribute.iconifiedByDefault;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.imageButtonStyle = global::LiveHTS.Droid.Resource.Attribute.imageButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.indeterminateProgressStyle = global::LiveHTS.Droid.Resource.Attribute.indeterminateProgressStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.initialActivityCount = global::LiveHTS.Droid.Resource.Attribute.initialActivityCount;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.isLightTheme = global::LiveHTS.Droid.Resource.Attribute.isLightTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.itemPadding = global::LiveHTS.Droid.Resource.Attribute.itemPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.layout = global::LiveHTS.Droid.Resource.Attribute.layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listChoiceBackgroundIndicator = global::LiveHTS.Droid.Resource.Attribute.listChoiceBackgroundIndicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listDividerAlertDialog = global::LiveHTS.Droid.Resource.Attribute.listDividerAlertDialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listItemLayout = global::LiveHTS.Droid.Resource.Attribute.listItemLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listLayout = global::LiveHTS.Droid.Resource.Attribute.listLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listMenuViewStyle = global::LiveHTS.Droid.Resource.Attribute.listMenuViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listPopupWindowStyle = global::LiveHTS.Droid.Resource.Attribute.listPopupWindowStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listPreferredItemHeight = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemHeight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listPreferredItemHeightLarge = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemHeightLarge;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listPreferredItemHeightSmall = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemHeightSmall;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listPreferredItemPaddingLeft = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemPaddingLeft;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.listPreferredItemPaddingRight = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemPaddingRight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.logo = global::LiveHTS.Droid.Resource.Attribute.logo;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.logoDescription = global::LiveHTS.Droid.Resource.Attribute.logoDescription;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.maxButtonHeight = global::LiveHTS.Droid.Resource.Attribute.maxButtonHeight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.measureWithLargestChild = global::LiveHTS.Droid.Resource.Attribute.measureWithLargestChild;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.multiChoiceItemLayout = global::LiveHTS.Droid.Resource.Attribute.multiChoiceItemLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.navigationContentDescription = global::LiveHTS.Droid.Resource.Attribute.navigationContentDescription;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.navigationIcon = global::LiveHTS.Droid.Resource.Attribute.navigationIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.navigationMode = global::LiveHTS.Droid.Resource.Attribute.navigationMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.overlapAnchor = global::LiveHTS.Droid.Resource.Attribute.overlapAnchor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.paddingBottomNoButtons = global::LiveHTS.Droid.Resource.Attribute.paddingBottomNoButtons;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.paddingEnd = global::LiveHTS.Droid.Resource.Attribute.paddingEnd;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.paddingStart = global::LiveHTS.Droid.Resource.Attribute.paddingStart;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.paddingTopNoTitle = global::LiveHTS.Droid.Resource.Attribute.paddingTopNoTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.panelBackground = global::LiveHTS.Droid.Resource.Attribute.panelBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.panelMenuListTheme = global::LiveHTS.Droid.Resource.Attribute.panelMenuListTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.panelMenuListWidth = global::LiveHTS.Droid.Resource.Attribute.panelMenuListWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.popupMenuStyle = global::LiveHTS.Droid.Resource.Attribute.popupMenuStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.popupTheme = global::LiveHTS.Droid.Resource.Attribute.popupTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.popupWindowStyle = global::LiveHTS.Droid.Resource.Attribute.popupWindowStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.preserveIconSpacing = global::LiveHTS.Droid.Resource.Attribute.preserveIconSpacing;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.progressBarPadding = global::LiveHTS.Droid.Resource.Attribute.progressBarPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.progressBarStyle = global::LiveHTS.Droid.Resource.Attribute.progressBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.queryBackground = global::LiveHTS.Droid.Resource.Attribute.queryBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.queryHint = global::LiveHTS.Droid.Resource.Attribute.queryHint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.radioButtonStyle = global::LiveHTS.Droid.Resource.Attribute.radioButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.ratingBarStyle = global::LiveHTS.Droid.Resource.Attribute.ratingBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.ratingBarStyleIndicator = global::LiveHTS.Droid.Resource.Attribute.ratingBarStyleIndicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.ratingBarStyleSmall = global::LiveHTS.Droid.Resource.Attribute.ratingBarStyleSmall;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.searchHintIcon = global::LiveHTS.Droid.Resource.Attribute.searchHintIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.searchIcon = global::LiveHTS.Droid.Resource.Attribute.searchIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.searchViewStyle = global::LiveHTS.Droid.Resource.Attribute.searchViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.seekBarStyle = global::LiveHTS.Droid.Resource.Attribute.seekBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.selectableItemBackground = global::LiveHTS.Droid.Resource.Attribute.selectableItemBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.selectableItemBackgroundBorderless = global::LiveHTS.Droid.Resource.Attribute.selectableItemBackgroundBorderless;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.showAsAction = global::LiveHTS.Droid.Resource.Attribute.showAsAction;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.showDividers = global::LiveHTS.Droid.Resource.Attribute.showDividers;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.showText = global::LiveHTS.Droid.Resource.Attribute.showText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.showTitle = global::LiveHTS.Droid.Resource.Attribute.showTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.singleChoiceItemLayout = global::LiveHTS.Droid.Resource.Attribute.singleChoiceItemLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.spinBars = global::LiveHTS.Droid.Resource.Attribute.spinBars;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.spinnerDropDownItemStyle = global::LiveHTS.Droid.Resource.Attribute.spinnerDropDownItemStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.spinnerStyle = global::LiveHTS.Droid.Resource.Attribute.spinnerStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.splitTrack = global::LiveHTS.Droid.Resource.Attribute.splitTrack;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.srcCompat = global::LiveHTS.Droid.Resource.Attribute.srcCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.state_above_anchor = global::LiveHTS.Droid.Resource.Attribute.state_above_anchor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.subMenuArrow = global::LiveHTS.Droid.Resource.Attribute.subMenuArrow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.submitBackground = global::LiveHTS.Droid.Resource.Attribute.submitBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.subtitle = global::LiveHTS.Droid.Resource.Attribute.subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.subtitleTextAppearance = global::LiveHTS.Droid.Resource.Attribute.subtitleTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.subtitleTextColor = global::LiveHTS.Droid.Resource.Attribute.subtitleTextColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.subtitleTextStyle = global::LiveHTS.Droid.Resource.Attribute.subtitleTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.suggestionRowLayout = global::LiveHTS.Droid.Resource.Attribute.suggestionRowLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.switchMinWidth = global::LiveHTS.Droid.Resource.Attribute.switchMinWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.switchPadding = global::LiveHTS.Droid.Resource.Attribute.switchPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.switchStyle = global::LiveHTS.Droid.Resource.Attribute.switchStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.switchTextAppearance = global::LiveHTS.Droid.Resource.Attribute.switchTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textAllCaps = global::LiveHTS.Droid.Resource.Attribute.textAllCaps;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textAppearanceLargePopupMenu = global::LiveHTS.Droid.Resource.Attribute.textAppearanceLargePopupMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textAppearanceListItem = global::LiveHTS.Droid.Resource.Attribute.textAppearanceListItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textAppearanceListItemSmall = global::LiveHTS.Droid.Resource.Attribute.textAppearanceListItemSmall;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textAppearancePopupMenuHeader = global::LiveHTS.Droid.Resource.Attribute.textAppearancePopupMenuHeader;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textAppearanceSearchResultSubtitle = global::LiveHTS.Droid.Resource.Attribute.textAppearanceSearchResultSubtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textAppearanceSearchResultTitle = global::LiveHTS.Droid.Resource.Attribute.textAppearanceSearchResultTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textAppearanceSmallPopupMenu = global::LiveHTS.Droid.Resource.Attribute.textAppearanceSmallPopupMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textColorAlertDialogListItem = global::LiveHTS.Droid.Resource.Attribute.textColorAlertDialogListItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.textColorSearchUrl = global::LiveHTS.Droid.Resource.Attribute.textColorSearchUrl;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.theme = global::LiveHTS.Droid.Resource.Attribute.theme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.thickness = global::LiveHTS.Droid.Resource.Attribute.thickness;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.thumbTextPadding = global::LiveHTS.Droid.Resource.Attribute.thumbTextPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.thumbTint = global::LiveHTS.Droid.Resource.Attribute.thumbTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.thumbTintMode = global::LiveHTS.Droid.Resource.Attribute.thumbTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.tickMark = global::LiveHTS.Droid.Resource.Attribute.tickMark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.tickMarkTint = global::LiveHTS.Droid.Resource.Attribute.tickMarkTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.tickMarkTintMode = global::LiveHTS.Droid.Resource.Attribute.tickMarkTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.title = global::LiveHTS.Droid.Resource.Attribute.title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleMargin = global::LiveHTS.Droid.Resource.Attribute.titleMargin;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleMarginBottom = global::LiveHTS.Droid.Resource.Attribute.titleMarginBottom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleMarginEnd = global::LiveHTS.Droid.Resource.Attribute.titleMarginEnd;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleMarginStart = global::LiveHTS.Droid.Resource.Attribute.titleMarginStart;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleMarginTop = global::LiveHTS.Droid.Resource.Attribute.titleMarginTop;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleMargins = global::LiveHTS.Droid.Resource.Attribute.titleMargins;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleTextAppearance = global::LiveHTS.Droid.Resource.Attribute.titleTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleTextColor = global::LiveHTS.Droid.Resource.Attribute.titleTextColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.titleTextStyle = global::LiveHTS.Droid.Resource.Attribute.titleTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.toolbarNavigationButtonStyle = global::LiveHTS.Droid.Resource.Attribute.toolbarNavigationButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.toolbarStyle = global::LiveHTS.Droid.Resource.Attribute.toolbarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.track = global::LiveHTS.Droid.Resource.Attribute.track;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.trackTint = global::LiveHTS.Droid.Resource.Attribute.trackTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.trackTintMode = global::LiveHTS.Droid.Resource.Attribute.trackTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.voiceIcon = global::LiveHTS.Droid.Resource.Attribute.voiceIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowActionBar = global::LiveHTS.Droid.Resource.Attribute.windowActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowActionBarOverlay = global::LiveHTS.Droid.Resource.Attribute.windowActionBarOverlay;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowActionModeOverlay = global::LiveHTS.Droid.Resource.Attribute.windowActionModeOverlay;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowFixedHeightMajor = global::LiveHTS.Droid.Resource.Attribute.windowFixedHeightMajor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowFixedHeightMinor = global::LiveHTS.Droid.Resource.Attribute.windowFixedHeightMinor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowFixedWidthMajor = global::LiveHTS.Droid.Resource.Attribute.windowFixedWidthMajor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowFixedWidthMinor = global::LiveHTS.Droid.Resource.Attribute.windowFixedWidthMinor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowMinWidthMajor = global::LiveHTS.Droid.Resource.Attribute.windowMinWidthMajor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowMinWidthMinor = global::LiveHTS.Droid.Resource.Attribute.windowMinWidthMinor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Attribute.windowNoTitle = global::LiveHTS.Droid.Resource.Attribute.windowNoTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Boolean.abc_action_bar_embed_tabs = global::LiveHTS.Droid.Resource.Boolean.abc_action_bar_embed_tabs;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Boolean.abc_allow_stacked_button_bar = global::LiveHTS.Droid.Resource.Boolean.abc_allow_stacked_button_bar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Boolean.abc_config_actionMenuItemAllCaps = global::LiveHTS.Droid.Resource.Boolean.abc_config_actionMenuItemAllCaps;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Boolean.abc_config_closeDialogWhenTouchOutside = global::LiveHTS.Droid.Resource.Boolean.abc_config_closeDialogWhenTouchOutside;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Boolean.abc_config_showMenuShortcutsWhenKeyboardPresent = global::LiveHTS.Droid.Resource.Boolean.abc_config_showMenuShortcutsWhenKeyboardPresent;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_background_cache_hint_selector_material_dark = global::LiveHTS.Droid.Resource.Color.abc_background_cache_hint_selector_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_background_cache_hint_selector_material_light = global::LiveHTS.Droid.Resource.Color.abc_background_cache_hint_selector_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_btn_colored_borderless_text_material = global::LiveHTS.Droid.Resource.Color.abc_btn_colored_borderless_text_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_btn_colored_text_material = global::LiveHTS.Droid.Resource.Color.abc_btn_colored_text_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_color_highlight_material = global::LiveHTS.Droid.Resource.Color.abc_color_highlight_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_hint_foreground_material_dark = global::LiveHTS.Droid.Resource.Color.abc_hint_foreground_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_hint_foreground_material_light = global::LiveHTS.Droid.Resource.Color.abc_hint_foreground_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_input_method_navigation_guard = global::LiveHTS.Droid.Resource.Color.abc_input_method_navigation_guard;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_primary_text_disable_only_material_dark = global::LiveHTS.Droid.Resource.Color.abc_primary_text_disable_only_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_primary_text_disable_only_material_light = global::LiveHTS.Droid.Resource.Color.abc_primary_text_disable_only_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_primary_text_material_dark = global::LiveHTS.Droid.Resource.Color.abc_primary_text_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_primary_text_material_light = global::LiveHTS.Droid.Resource.Color.abc_primary_text_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_search_url_text = global::LiveHTS.Droid.Resource.Color.abc_search_url_text;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_search_url_text_normal = global::LiveHTS.Droid.Resource.Color.abc_search_url_text_normal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_search_url_text_pressed = global::LiveHTS.Droid.Resource.Color.abc_search_url_text_pressed;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_search_url_text_selected = global::LiveHTS.Droid.Resource.Color.abc_search_url_text_selected;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_secondary_text_material_dark = global::LiveHTS.Droid.Resource.Color.abc_secondary_text_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_secondary_text_material_light = global::LiveHTS.Droid.Resource.Color.abc_secondary_text_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_tint_btn_checkable = global::LiveHTS.Droid.Resource.Color.abc_tint_btn_checkable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_tint_default = global::LiveHTS.Droid.Resource.Color.abc_tint_default;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_tint_edittext = global::LiveHTS.Droid.Resource.Color.abc_tint_edittext;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_tint_seek_thumb = global::LiveHTS.Droid.Resource.Color.abc_tint_seek_thumb;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_tint_spinner = global::LiveHTS.Droid.Resource.Color.abc_tint_spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.abc_tint_switch_track = global::LiveHTS.Droid.Resource.Color.abc_tint_switch_track;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.accent_material_dark = global::LiveHTS.Droid.Resource.Color.accent_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.accent_material_light = global::LiveHTS.Droid.Resource.Color.accent_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.background_floating_material_dark = global::LiveHTS.Droid.Resource.Color.background_floating_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.background_floating_material_light = global::LiveHTS.Droid.Resource.Color.background_floating_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.background_material_dark = global::LiveHTS.Droid.Resource.Color.background_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.background_material_light = global::LiveHTS.Droid.Resource.Color.background_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.bright_foreground_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.bright_foreground_disabled_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.bright_foreground_disabled_material_light = global::LiveHTS.Droid.Resource.Color.bright_foreground_disabled_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.bright_foreground_inverse_material_dark = global::LiveHTS.Droid.Resource.Color.bright_foreground_inverse_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.bright_foreground_inverse_material_light = global::LiveHTS.Droid.Resource.Color.bright_foreground_inverse_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.bright_foreground_material_dark = global::LiveHTS.Droid.Resource.Color.bright_foreground_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.bright_foreground_material_light = global::LiveHTS.Droid.Resource.Color.bright_foreground_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.button_material_dark = global::LiveHTS.Droid.Resource.Color.button_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.button_material_light = global::LiveHTS.Droid.Resource.Color.button_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.dim_foreground_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.dim_foreground_disabled_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.dim_foreground_disabled_material_light = global::LiveHTS.Droid.Resource.Color.dim_foreground_disabled_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.dim_foreground_material_dark = global::LiveHTS.Droid.Resource.Color.dim_foreground_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.dim_foreground_material_light = global::LiveHTS.Droid.Resource.Color.dim_foreground_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.foreground_material_dark = global::LiveHTS.Droid.Resource.Color.foreground_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.foreground_material_light = global::LiveHTS.Droid.Resource.Color.foreground_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.highlighted_text_material_dark = global::LiveHTS.Droid.Resource.Color.highlighted_text_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.highlighted_text_material_light = global::LiveHTS.Droid.Resource.Color.highlighted_text_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_blue_grey_800 = global::LiveHTS.Droid.Resource.Color.material_blue_grey_800;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_blue_grey_900 = global::LiveHTS.Droid.Resource.Color.material_blue_grey_900;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_blue_grey_950 = global::LiveHTS.Droid.Resource.Color.material_blue_grey_950;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_deep_teal_200 = global::LiveHTS.Droid.Resource.Color.material_deep_teal_200;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_deep_teal_500 = global::LiveHTS.Droid.Resource.Color.material_deep_teal_500;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_grey_100 = global::LiveHTS.Droid.Resource.Color.material_grey_100;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_grey_300 = global::LiveHTS.Droid.Resource.Color.material_grey_300;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_grey_50 = global::LiveHTS.Droid.Resource.Color.material_grey_50;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_grey_600 = global::LiveHTS.Droid.Resource.Color.material_grey_600;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_grey_800 = global::LiveHTS.Droid.Resource.Color.material_grey_800;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_grey_850 = global::LiveHTS.Droid.Resource.Color.material_grey_850;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.material_grey_900 = global::LiveHTS.Droid.Resource.Color.material_grey_900;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.notification_action_color_filter = global::LiveHTS.Droid.Resource.Color.notification_action_color_filter;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.notification_icon_bg_color = global::LiveHTS.Droid.Resource.Color.notification_icon_bg_color;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.notification_material_background_media_default_color = global::LiveHTS.Droid.Resource.Color.notification_material_background_media_default_color;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.primary_dark_material_dark = global::LiveHTS.Droid.Resource.Color.primary_dark_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.primary_dark_material_light = global::LiveHTS.Droid.Resource.Color.primary_dark_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.primary_material_dark = global::LiveHTS.Droid.Resource.Color.primary_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.primary_material_light = global::LiveHTS.Droid.Resource.Color.primary_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.primary_text_default_material_dark = global::LiveHTS.Droid.Resource.Color.primary_text_default_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.primary_text_default_material_light = global::LiveHTS.Droid.Resource.Color.primary_text_default_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.primary_text_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.primary_text_disabled_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.primary_text_disabled_material_light = global::LiveHTS.Droid.Resource.Color.primary_text_disabled_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.ripple_material_dark = global::LiveHTS.Droid.Resource.Color.ripple_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.ripple_material_light = global::LiveHTS.Droid.Resource.Color.ripple_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.secondary_text_default_material_dark = global::LiveHTS.Droid.Resource.Color.secondary_text_default_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.secondary_text_default_material_light = global::LiveHTS.Droid.Resource.Color.secondary_text_default_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.secondary_text_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.secondary_text_disabled_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.secondary_text_disabled_material_light = global::LiveHTS.Droid.Resource.Color.secondary_text_disabled_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.switch_thumb_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.switch_thumb_disabled_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.switch_thumb_disabled_material_light = global::LiveHTS.Droid.Resource.Color.switch_thumb_disabled_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.switch_thumb_material_dark = global::LiveHTS.Droid.Resource.Color.switch_thumb_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.switch_thumb_material_light = global::LiveHTS.Droid.Resource.Color.switch_thumb_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.switch_thumb_normal_material_dark = global::LiveHTS.Droid.Resource.Color.switch_thumb_normal_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Color.switch_thumb_normal_material_light = global::LiveHTS.Droid.Resource.Color.switch_thumb_normal_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_content_inset_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_content_inset_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_content_inset_with_nav = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_content_inset_with_nav;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_default_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_default_height_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_default_padding_end_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_default_padding_end_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_default_padding_start_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_default_padding_start_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_elevation_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_elevation_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_icon_vertical_padding_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_icon_vertical_padding_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_overflow_padding_end_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_overflow_padding_end_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_overflow_padding_start_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_overflow_padding_start_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_progress_bar_size = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_progress_bar_size;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_stacked_max_height = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_stacked_max_height;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_stacked_tab_max_width = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_stacked_tab_max_width;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_subtitle_bottom_margin_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_subtitle_bottom_margin_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_bar_subtitle_top_margin_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_subtitle_top_margin_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_button_min_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_button_min_height_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_button_min_width_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_button_min_width_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_action_button_min_width_overflow_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_button_min_width_overflow_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_alert_dialog_button_bar_height = global::LiveHTS.Droid.Resource.Dimension.abc_alert_dialog_button_bar_height;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_button_inset_horizontal_material = global::LiveHTS.Droid.Resource.Dimension.abc_button_inset_horizontal_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_button_inset_vertical_material = global::LiveHTS.Droid.Resource.Dimension.abc_button_inset_vertical_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_button_padding_horizontal_material = global::LiveHTS.Droid.Resource.Dimension.abc_button_padding_horizontal_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_button_padding_vertical_material = global::LiveHTS.Droid.Resource.Dimension.abc_button_padding_vertical_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_cascading_menus_min_smallest_width = global::LiveHTS.Droid.Resource.Dimension.abc_cascading_menus_min_smallest_width;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_config_prefDialogWidth = global::LiveHTS.Droid.Resource.Dimension.abc_config_prefDialogWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_control_corner_material = global::LiveHTS.Droid.Resource.Dimension.abc_control_corner_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_control_inset_material = global::LiveHTS.Droid.Resource.Dimension.abc_control_inset_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_control_padding_material = global::LiveHTS.Droid.Resource.Dimension.abc_control_padding_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_fixed_height_major = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_fixed_height_major;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_fixed_height_minor = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_fixed_height_minor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_fixed_width_major = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_fixed_width_major;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_fixed_width_minor = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_fixed_width_minor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_list_padding_bottom_no_buttons = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_list_padding_bottom_no_buttons;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_list_padding_top_no_title = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_list_padding_top_no_title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_min_width_major = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_min_width_major;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_min_width_minor = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_min_width_minor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_padding_material = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_padding_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_padding_top_material = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_padding_top_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dialog_title_divider_material = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_title_divider_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_disabled_alpha_material_dark = global::LiveHTS.Droid.Resource.Dimension.abc_disabled_alpha_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_disabled_alpha_material_light = global::LiveHTS.Droid.Resource.Dimension.abc_disabled_alpha_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dropdownitem_icon_width = global::LiveHTS.Droid.Resource.Dimension.abc_dropdownitem_icon_width;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dropdownitem_text_padding_left = global::LiveHTS.Droid.Resource.Dimension.abc_dropdownitem_text_padding_left;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_dropdownitem_text_padding_right = global::LiveHTS.Droid.Resource.Dimension.abc_dropdownitem_text_padding_right;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_edit_text_inset_bottom_material = global::LiveHTS.Droid.Resource.Dimension.abc_edit_text_inset_bottom_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_edit_text_inset_horizontal_material = global::LiveHTS.Droid.Resource.Dimension.abc_edit_text_inset_horizontal_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_edit_text_inset_top_material = global::LiveHTS.Droid.Resource.Dimension.abc_edit_text_inset_top_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_floating_window_z = global::LiveHTS.Droid.Resource.Dimension.abc_floating_window_z;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_list_item_padding_horizontal_material = global::LiveHTS.Droid.Resource.Dimension.abc_list_item_padding_horizontal_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_panel_menu_list_width = global::LiveHTS.Droid.Resource.Dimension.abc_panel_menu_list_width;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_progress_bar_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_progress_bar_height_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_search_view_preferred_height = global::LiveHTS.Droid.Resource.Dimension.abc_search_view_preferred_height;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_search_view_preferred_width = global::LiveHTS.Droid.Resource.Dimension.abc_search_view_preferred_width;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_seekbar_track_background_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_seekbar_track_background_height_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_seekbar_track_progress_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_seekbar_track_progress_height_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_select_dialog_padding_start_material = global::LiveHTS.Droid.Resource.Dimension.abc_select_dialog_padding_start_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_switch_padding = global::LiveHTS.Droid.Resource.Dimension.abc_switch_padding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_body_1_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_body_1_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_body_2_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_body_2_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_button_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_button_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_caption_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_caption_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_display_1_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_display_1_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_display_2_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_display_2_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_display_3_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_display_3_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_display_4_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_display_4_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_headline_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_headline_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_large_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_large_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_medium_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_medium_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_menu_header_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_menu_header_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_menu_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_menu_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_small_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_small_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_subhead_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_subhead_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_subtitle_material_toolbar = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_subtitle_material_toolbar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_title_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_title_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.abc_text_size_title_material_toolbar = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_title_material_toolbar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.disabled_alpha_material_dark = global::LiveHTS.Droid.Resource.Dimension.disabled_alpha_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.disabled_alpha_material_light = global::LiveHTS.Droid.Resource.Dimension.disabled_alpha_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.highlight_alpha_material_colored = global::LiveHTS.Droid.Resource.Dimension.highlight_alpha_material_colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.highlight_alpha_material_dark = global::LiveHTS.Droid.Resource.Dimension.highlight_alpha_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.highlight_alpha_material_light = global::LiveHTS.Droid.Resource.Dimension.highlight_alpha_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.hint_alpha_material_dark = global::LiveHTS.Droid.Resource.Dimension.hint_alpha_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.hint_alpha_material_light = global::LiveHTS.Droid.Resource.Dimension.hint_alpha_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.hint_pressed_alpha_material_dark = global::LiveHTS.Droid.Resource.Dimension.hint_pressed_alpha_material_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.hint_pressed_alpha_material_light = global::LiveHTS.Droid.Resource.Dimension.hint_pressed_alpha_material_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_action_icon_size = global::LiveHTS.Droid.Resource.Dimension.notification_action_icon_size;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_action_text_size = global::LiveHTS.Droid.Resource.Dimension.notification_action_text_size;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_big_circle_margin = global::LiveHTS.Droid.Resource.Dimension.notification_big_circle_margin;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_content_margin_start = global::LiveHTS.Droid.Resource.Dimension.notification_content_margin_start;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_large_icon_height = global::LiveHTS.Droid.Resource.Dimension.notification_large_icon_height;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_large_icon_width = global::LiveHTS.Droid.Resource.Dimension.notification_large_icon_width;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_main_column_padding_top = global::LiveHTS.Droid.Resource.Dimension.notification_main_column_padding_top;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_media_narrow_margin = global::LiveHTS.Droid.Resource.Dimension.notification_media_narrow_margin;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_right_icon_size = global::LiveHTS.Droid.Resource.Dimension.notification_right_icon_size;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_right_side_padding_top = global::LiveHTS.Droid.Resource.Dimension.notification_right_side_padding_top;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_small_icon_background_padding = global::LiveHTS.Droid.Resource.Dimension.notification_small_icon_background_padding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_small_icon_size_as_large = global::LiveHTS.Droid.Resource.Dimension.notification_small_icon_size_as_large;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_subtext_size = global::LiveHTS.Droid.Resource.Dimension.notification_subtext_size;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_top_pad = global::LiveHTS.Droid.Resource.Dimension.notification_top_pad;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Dimension.notification_top_pad_large_text = global::LiveHTS.Droid.Resource.Dimension.notification_top_pad_large_text;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ab_share_pack_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ab_share_pack_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_action_bar_item_background_material = global::LiveHTS.Droid.Resource.Drawable.abc_action_bar_item_background_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_borderless_material = global::LiveHTS.Droid.Resource.Drawable.abc_btn_borderless_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_check_material = global::LiveHTS.Droid.Resource.Drawable.abc_btn_check_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_check_to_on_mtrl_000 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_check_to_on_mtrl_000;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_check_to_on_mtrl_015 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_check_to_on_mtrl_015;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_colored_material = global::LiveHTS.Droid.Resource.Drawable.abc_btn_colored_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_default_mtrl_shape = global::LiveHTS.Droid.Resource.Drawable.abc_btn_default_mtrl_shape;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_radio_material = global::LiveHTS.Droid.Resource.Drawable.abc_btn_radio_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_radio_to_on_mtrl_000 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_radio_to_on_mtrl_000;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_radio_to_on_mtrl_015 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_radio_to_on_mtrl_015;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_switch_to_on_mtrl_00001 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_switch_to_on_mtrl_00001;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_btn_switch_to_on_mtrl_00012 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_switch_to_on_mtrl_00012;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_cab_background_internal_bg = global::LiveHTS.Droid.Resource.Drawable.abc_cab_background_internal_bg;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_cab_background_top_material = global::LiveHTS.Droid.Resource.Drawable.abc_cab_background_top_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_cab_background_top_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_cab_background_top_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_control_background_material = global::LiveHTS.Droid.Resource.Drawable.abc_control_background_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_dialog_material_background = global::LiveHTS.Droid.Resource.Drawable.abc_dialog_material_background;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_edit_text_material = global::LiveHTS.Droid.Resource.Drawable.abc_edit_text_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_ab_back_material = global::LiveHTS.Droid.Resource.Drawable.abc_ic_ab_back_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_arrow_drop_right_black_24dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_arrow_drop_right_black_24dp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_clear_material = global::LiveHTS.Droid.Resource.Drawable.abc_ic_clear_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_commit_search_api_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_commit_search_api_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_go_search_api_material = global::LiveHTS.Droid.Resource.Drawable.abc_ic_go_search_api_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_menu_copy_mtrl_am_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_copy_mtrl_am_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_menu_cut_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_cut_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_menu_overflow_material = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_overflow_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_menu_paste_mtrl_am_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_paste_mtrl_am_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_menu_selectall_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_selectall_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_menu_share_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_share_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_search_api_material = global::LiveHTS.Droid.Resource.Drawable.abc_ic_search_api_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_star_black_16dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_black_16dp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_star_black_36dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_black_36dp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_star_black_48dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_black_48dp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_star_half_black_16dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_half_black_16dp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_star_half_black_36dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_half_black_36dp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_star_half_black_48dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_half_black_48dp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ic_voice_search_api_material = global::LiveHTS.Droid.Resource.Drawable.abc_ic_voice_search_api_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_item_background_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_item_background_holo_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_item_background_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_item_background_holo_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_divider_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_list_divider_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_focused_holo = global::LiveHTS.Droid.Resource.Drawable.abc_list_focused_holo;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_longpressed_holo = global::LiveHTS.Droid.Resource.Drawable.abc_list_longpressed_holo;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_pressed_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_list_pressed_holo_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_pressed_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_list_pressed_holo_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_selector_background_transition_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_background_transition_holo_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_selector_background_transition_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_background_transition_holo_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_selector_disabled_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_disabled_holo_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_selector_disabled_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_disabled_holo_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_selector_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_holo_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_list_selector_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_holo_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_menu_hardkey_panel_mtrl_mult = global::LiveHTS.Droid.Resource.Drawable.abc_menu_hardkey_panel_mtrl_mult;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_popup_background_mtrl_mult = global::LiveHTS.Droid.Resource.Drawable.abc_popup_background_mtrl_mult;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ratingbar_indicator_material = global::LiveHTS.Droid.Resource.Drawable.abc_ratingbar_indicator_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ratingbar_material = global::LiveHTS.Droid.Resource.Drawable.abc_ratingbar_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_ratingbar_small_material = global::LiveHTS.Droid.Resource.Drawable.abc_ratingbar_small_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_scrubber_control_off_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_control_off_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_scrubber_control_to_pressed_mtrl_000 = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_control_to_pressed_mtrl_000;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_scrubber_control_to_pressed_mtrl_005 = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_control_to_pressed_mtrl_005;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_scrubber_primary_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_primary_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_scrubber_track_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_track_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_seekbar_thumb_material = global::LiveHTS.Droid.Resource.Drawable.abc_seekbar_thumb_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_seekbar_tick_mark_material = global::LiveHTS.Droid.Resource.Drawable.abc_seekbar_tick_mark_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_seekbar_track_material = global::LiveHTS.Droid.Resource.Drawable.abc_seekbar_track_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_spinner_mtrl_am_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_spinner_mtrl_am_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_spinner_textfield_background_material = global::LiveHTS.Droid.Resource.Drawable.abc_spinner_textfield_background_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_switch_thumb_material = global::LiveHTS.Droid.Resource.Drawable.abc_switch_thumb_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_switch_track_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_switch_track_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_tab_indicator_material = global::LiveHTS.Droid.Resource.Drawable.abc_tab_indicator_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_tab_indicator_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_tab_indicator_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_text_cursor_material = global::LiveHTS.Droid.Resource.Drawable.abc_text_cursor_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_text_select_handle_left_mtrl_dark = global::LiveHTS.Droid.Resource.Drawable.abc_text_select_handle_left_mtrl_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_text_select_handle_left_mtrl_light = global::LiveHTS.Droid.Resource.Drawable.abc_text_select_handle_left_mtrl_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_text_select_handle_middle_mtrl_dark = global::LiveHTS.Droid.Resource.Drawable.abc_text_select_handle_middle_mtrl_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_text_select_handle_middle_mtrl_light = global::LiveHTS.Droid.Resource.Drawable.abc_text_select_handle_middle_mtrl_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_text_select_handle_right_mtrl_dark = global::LiveHTS.Droid.Resource.Drawable.abc_text_select_handle_right_mtrl_dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_text_select_handle_right_mtrl_light = global::LiveHTS.Droid.Resource.Drawable.abc_text_select_handle_right_mtrl_light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_textfield_activated_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_activated_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_textfield_default_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_default_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_textfield_search_activated_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_search_activated_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_textfield_search_default_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_search_default_mtrl_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_textfield_search_material = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_search_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.abc_vector_test = global::LiveHTS.Droid.Resource.Drawable.abc_vector_test;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_action_background = global::LiveHTS.Droid.Resource.Drawable.notification_action_background;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_bg = global::LiveHTS.Droid.Resource.Drawable.notification_bg;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_bg_low = global::LiveHTS.Droid.Resource.Drawable.notification_bg_low;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_bg_low_normal = global::LiveHTS.Droid.Resource.Drawable.notification_bg_low_normal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_bg_low_pressed = global::LiveHTS.Droid.Resource.Drawable.notification_bg_low_pressed;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_bg_normal = global::LiveHTS.Droid.Resource.Drawable.notification_bg_normal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_bg_normal_pressed = global::LiveHTS.Droid.Resource.Drawable.notification_bg_normal_pressed;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_icon_background = global::LiveHTS.Droid.Resource.Drawable.notification_icon_background;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_template_icon_bg = global::LiveHTS.Droid.Resource.Drawable.notification_template_icon_bg;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_template_icon_low_bg = global::LiveHTS.Droid.Resource.Drawable.notification_template_icon_low_bg;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notification_tile_bg = global::LiveHTS.Droid.Resource.Drawable.notification_tile_bg;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Drawable.notify_panel_notification_icon_bg = global::LiveHTS.Droid.Resource.Drawable.notify_panel_notification_icon_bg;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.MvvmCrossTagId = global::LiveHTS.Droid.Resource.Id.MvvmCrossTagId;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.MvxBindingTagUnique = global::LiveHTS.Droid.Resource.Id.MvxBindingTagUnique;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action0 = global::LiveHTS.Droid.Resource.Id.action0;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_bar = global::LiveHTS.Droid.Resource.Id.action_bar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_bar_activity_content = global::LiveHTS.Droid.Resource.Id.action_bar_activity_content;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_bar_container = global::LiveHTS.Droid.Resource.Id.action_bar_container;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_bar_root = global::LiveHTS.Droid.Resource.Id.action_bar_root;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_bar_spinner = global::LiveHTS.Droid.Resource.Id.action_bar_spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_bar_subtitle = global::LiveHTS.Droid.Resource.Id.action_bar_subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_bar_title = global::LiveHTS.Droid.Resource.Id.action_bar_title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_container = global::LiveHTS.Droid.Resource.Id.action_container;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_context_bar = global::LiveHTS.Droid.Resource.Id.action_context_bar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_divider = global::LiveHTS.Droid.Resource.Id.action_divider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_image = global::LiveHTS.Droid.Resource.Id.action_image;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_menu_divider = global::LiveHTS.Droid.Resource.Id.action_menu_divider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_menu_presenter = global::LiveHTS.Droid.Resource.Id.action_menu_presenter;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_mode_bar = global::LiveHTS.Droid.Resource.Id.action_mode_bar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_mode_bar_stub = global::LiveHTS.Droid.Resource.Id.action_mode_bar_stub;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_mode_close_button = global::LiveHTS.Droid.Resource.Id.action_mode_close_button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.action_text = global::LiveHTS.Droid.Resource.Id.action_text;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.actions = global::LiveHTS.Droid.Resource.Id.actions;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.activity_chooser_view_content = global::LiveHTS.Droid.Resource.Id.activity_chooser_view_content;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.add = global::LiveHTS.Droid.Resource.Id.add;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.alertTitle = global::LiveHTS.Droid.Resource.Id.alertTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.always = global::LiveHTS.Droid.Resource.Id.always;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.beginning = global::LiveHTS.Droid.Resource.Id.beginning;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.bottom = global::LiveHTS.Droid.Resource.Id.bottom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.buttonPanel = global::LiveHTS.Droid.Resource.Id.buttonPanel;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.cancel_action = global::LiveHTS.Droid.Resource.Id.cancel_action;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.checkbox = global::LiveHTS.Droid.Resource.Id.checkbox;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.chronometer = global::LiveHTS.Droid.Resource.Id.chronometer;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.collapseActionView = global::LiveHTS.Droid.Resource.Id.collapseActionView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.contentPanel = global::LiveHTS.Droid.Resource.Id.contentPanel;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.custom = global::LiveHTS.Droid.Resource.Id.custom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.customPanel = global::LiveHTS.Droid.Resource.Id.customPanel;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.decor_content_parent = global::LiveHTS.Droid.Resource.Id.decor_content_parent;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.default_activity_button = global::LiveHTS.Droid.Resource.Id.default_activity_button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.disableHome = global::LiveHTS.Droid.Resource.Id.disableHome;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.edit_query = global::LiveHTS.Droid.Resource.Id.edit_query;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.end = global::LiveHTS.Droid.Resource.Id.end;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.end_padder = global::LiveHTS.Droid.Resource.Id.end_padder;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.expand_activities_button = global::LiveHTS.Droid.Resource.Id.expand_activities_button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.expanded_menu = global::LiveHTS.Droid.Resource.Id.expanded_menu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.home = global::LiveHTS.Droid.Resource.Id.home;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.homeAsUp = global::LiveHTS.Droid.Resource.Id.homeAsUp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.icon = global::LiveHTS.Droid.Resource.Id.icon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.icon_group = global::LiveHTS.Droid.Resource.Id.icon_group;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.ifRoom = global::LiveHTS.Droid.Resource.Id.ifRoom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.image = global::LiveHTS.Droid.Resource.Id.image;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.info = global::LiveHTS.Droid.Resource.Id.info;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.line1 = global::LiveHTS.Droid.Resource.Id.line1;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.line3 = global::LiveHTS.Droid.Resource.Id.line3;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.listMode = global::LiveHTS.Droid.Resource.Id.listMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.list_item = global::LiveHTS.Droid.Resource.Id.list_item;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.media_actions = global::LiveHTS.Droid.Resource.Id.media_actions;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.middle = global::LiveHTS.Droid.Resource.Id.middle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.multiply = global::LiveHTS.Droid.Resource.Id.multiply;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.never = global::LiveHTS.Droid.Resource.Id.never;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.none = global::LiveHTS.Droid.Resource.Id.none;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.normal = global::LiveHTS.Droid.Resource.Id.normal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.notification_background = global::LiveHTS.Droid.Resource.Id.notification_background;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.notification_main_column = global::LiveHTS.Droid.Resource.Id.notification_main_column;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.notification_main_column_container = global::LiveHTS.Droid.Resource.Id.notification_main_column_container;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.parentPanel = global::LiveHTS.Droid.Resource.Id.parentPanel;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.progress_circular = global::LiveHTS.Droid.Resource.Id.progress_circular;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.progress_horizontal = global::LiveHTS.Droid.Resource.Id.progress_horizontal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.radio = global::LiveHTS.Droid.Resource.Id.radio;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.right_icon = global::LiveHTS.Droid.Resource.Id.right_icon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.right_side = global::LiveHTS.Droid.Resource.Id.right_side;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.screen = global::LiveHTS.Droid.Resource.Id.screen;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.scrollIndicatorDown = global::LiveHTS.Droid.Resource.Id.scrollIndicatorDown;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.scrollIndicatorUp = global::LiveHTS.Droid.Resource.Id.scrollIndicatorUp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.scrollView = global::LiveHTS.Droid.Resource.Id.scrollView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_badge = global::LiveHTS.Droid.Resource.Id.search_badge;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_bar = global::LiveHTS.Droid.Resource.Id.search_bar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_button = global::LiveHTS.Droid.Resource.Id.search_button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_close_btn = global::LiveHTS.Droid.Resource.Id.search_close_btn;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_edit_frame = global::LiveHTS.Droid.Resource.Id.search_edit_frame;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_go_btn = global::LiveHTS.Droid.Resource.Id.search_go_btn;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_mag_icon = global::LiveHTS.Droid.Resource.Id.search_mag_icon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_plate = global::LiveHTS.Droid.Resource.Id.search_plate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_src_text = global::LiveHTS.Droid.Resource.Id.search_src_text;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.search_voice_btn = global::LiveHTS.Droid.Resource.Id.search_voice_btn;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.select_dialog_listview = global::LiveHTS.Droid.Resource.Id.select_dialog_listview;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.shortcut = global::LiveHTS.Droid.Resource.Id.shortcut;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.showCustom = global::LiveHTS.Droid.Resource.Id.showCustom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.showHome = global::LiveHTS.Droid.Resource.Id.showHome;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.showTitle = global::LiveHTS.Droid.Resource.Id.showTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.spacer = global::LiveHTS.Droid.Resource.Id.spacer;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.split_action_bar = global::LiveHTS.Droid.Resource.Id.split_action_bar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.src_atop = global::LiveHTS.Droid.Resource.Id.src_atop;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.src_in = global::LiveHTS.Droid.Resource.Id.src_in;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.src_over = global::LiveHTS.Droid.Resource.Id.src_over;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.status_bar_latest_event_content = global::LiveHTS.Droid.Resource.Id.status_bar_latest_event_content;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.submenuarrow = global::LiveHTS.Droid.Resource.Id.submenuarrow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.submit_area = global::LiveHTS.Droid.Resource.Id.submit_area;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.tabMode = global::LiveHTS.Droid.Resource.Id.tabMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.text = global::LiveHTS.Droid.Resource.Id.text;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.text2 = global::LiveHTS.Droid.Resource.Id.text2;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.textSpacerNoButtons = global::LiveHTS.Droid.Resource.Id.textSpacerNoButtons;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.textSpacerNoTitle = global::LiveHTS.Droid.Resource.Id.textSpacerNoTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.time = global::LiveHTS.Droid.Resource.Id.time;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.title = global::LiveHTS.Droid.Resource.Id.title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.titleDividerNoCustom = global::LiveHTS.Droid.Resource.Id.titleDividerNoCustom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.title_template = global::LiveHTS.Droid.Resource.Id.title_template;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.top = global::LiveHTS.Droid.Resource.Id.top;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.topPanel = global::LiveHTS.Droid.Resource.Id.topPanel;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.up = global::LiveHTS.Droid.Resource.Id.up;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.useLogo = global::LiveHTS.Droid.Resource.Id.useLogo;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.withText = global::LiveHTS.Droid.Resource.Id.withText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Id.wrap_content = global::LiveHTS.Droid.Resource.Id.wrap_content;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Integer.abc_config_activityDefaultDur = global::LiveHTS.Droid.Resource.Integer.abc_config_activityDefaultDur;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Integer.abc_config_activityShortDur = global::LiveHTS.Droid.Resource.Integer.abc_config_activityShortDur;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Integer.cancel_button_image_alpha = global::LiveHTS.Droid.Resource.Integer.cancel_button_image_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Integer.status_bar_notification_info_maxnum = global::LiveHTS.Droid.Resource.Integer.status_bar_notification_info_maxnum;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_action_bar_title_item = global::LiveHTS.Droid.Resource.Layout.abc_action_bar_title_item;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_action_bar_up_container = global::LiveHTS.Droid.Resource.Layout.abc_action_bar_up_container;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_action_bar_view_list_nav_layout = global::LiveHTS.Droid.Resource.Layout.abc_action_bar_view_list_nav_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_action_menu_item_layout = global::LiveHTS.Droid.Resource.Layout.abc_action_menu_item_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_action_menu_layout = global::LiveHTS.Droid.Resource.Layout.abc_action_menu_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_action_mode_bar = global::LiveHTS.Droid.Resource.Layout.abc_action_mode_bar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_action_mode_close_item_material = global::LiveHTS.Droid.Resource.Layout.abc_action_mode_close_item_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_activity_chooser_view = global::LiveHTS.Droid.Resource.Layout.abc_activity_chooser_view;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_activity_chooser_view_list_item = global::LiveHTS.Droid.Resource.Layout.abc_activity_chooser_view_list_item;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_alert_dialog_button_bar_material = global::LiveHTS.Droid.Resource.Layout.abc_alert_dialog_button_bar_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_alert_dialog_material = global::LiveHTS.Droid.Resource.Layout.abc_alert_dialog_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_alert_dialog_title_material = global::LiveHTS.Droid.Resource.Layout.abc_alert_dialog_title_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_dialog_title_material = global::LiveHTS.Droid.Resource.Layout.abc_dialog_title_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_expanded_menu_layout = global::LiveHTS.Droid.Resource.Layout.abc_expanded_menu_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_list_menu_item_checkbox = global::LiveHTS.Droid.Resource.Layout.abc_list_menu_item_checkbox;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_list_menu_item_icon = global::LiveHTS.Droid.Resource.Layout.abc_list_menu_item_icon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_list_menu_item_layout = global::LiveHTS.Droid.Resource.Layout.abc_list_menu_item_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_list_menu_item_radio = global::LiveHTS.Droid.Resource.Layout.abc_list_menu_item_radio;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_popup_menu_header_item_layout = global::LiveHTS.Droid.Resource.Layout.abc_popup_menu_header_item_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_popup_menu_item_layout = global::LiveHTS.Droid.Resource.Layout.abc_popup_menu_item_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_screen_content_include = global::LiveHTS.Droid.Resource.Layout.abc_screen_content_include;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_screen_simple = global::LiveHTS.Droid.Resource.Layout.abc_screen_simple;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_screen_simple_overlay_action_mode = global::LiveHTS.Droid.Resource.Layout.abc_screen_simple_overlay_action_mode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_screen_toolbar = global::LiveHTS.Droid.Resource.Layout.abc_screen_toolbar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_search_dropdown_item_icons_2line = global::LiveHTS.Droid.Resource.Layout.abc_search_dropdown_item_icons_2line;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_search_view = global::LiveHTS.Droid.Resource.Layout.abc_search_view;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.abc_select_dialog_material = global::LiveHTS.Droid.Resource.Layout.abc_select_dialog_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_action = global::LiveHTS.Droid.Resource.Layout.notification_action;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_action_tombstone = global::LiveHTS.Droid.Resource.Layout.notification_action_tombstone;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_media_action = global::LiveHTS.Droid.Resource.Layout.notification_media_action;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_media_cancel_action = global::LiveHTS.Droid.Resource.Layout.notification_media_cancel_action;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_big_media = global::LiveHTS.Droid.Resource.Layout.notification_template_big_media;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_big_media_custom = global::LiveHTS.Droid.Resource.Layout.notification_template_big_media_custom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_big_media_narrow = global::LiveHTS.Droid.Resource.Layout.notification_template_big_media_narrow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_big_media_narrow_custom = global::LiveHTS.Droid.Resource.Layout.notification_template_big_media_narrow_custom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_custom_big = global::LiveHTS.Droid.Resource.Layout.notification_template_custom_big;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_icon_group = global::LiveHTS.Droid.Resource.Layout.notification_template_icon_group;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_lines_media = global::LiveHTS.Droid.Resource.Layout.notification_template_lines_media;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_media = global::LiveHTS.Droid.Resource.Layout.notification_template_media;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_media_custom = global::LiveHTS.Droid.Resource.Layout.notification_template_media_custom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_part_chronometer = global::LiveHTS.Droid.Resource.Layout.notification_template_part_chronometer;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.notification_template_part_time = global::LiveHTS.Droid.Resource.Layout.notification_template_part_time;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.select_dialog_item_material = global::LiveHTS.Droid.Resource.Layout.select_dialog_item_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.select_dialog_multichoice_material = global::LiveHTS.Droid.Resource.Layout.select_dialog_multichoice_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.select_dialog_singlechoice_material = global::LiveHTS.Droid.Resource.Layout.select_dialog_singlechoice_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Layout.support_simple_spinner_dropdown_item = global::LiveHTS.Droid.Resource.Layout.support_simple_spinner_dropdown_item;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_action_bar_home_description = global::LiveHTS.Droid.Resource.String.abc_action_bar_home_description;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_action_bar_home_description_format = global::LiveHTS.Droid.Resource.String.abc_action_bar_home_description_format;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_action_bar_home_subtitle_description_format = global::LiveHTS.Droid.Resource.String.abc_action_bar_home_subtitle_description_format;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_action_bar_up_description = global::LiveHTS.Droid.Resource.String.abc_action_bar_up_description;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_action_menu_overflow_description = global::LiveHTS.Droid.Resource.String.abc_action_menu_overflow_description;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_action_mode_done = global::LiveHTS.Droid.Resource.String.abc_action_mode_done;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_activity_chooser_view_see_all = global::LiveHTS.Droid.Resource.String.abc_activity_chooser_view_see_all;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_activitychooserview_choose_application = global::LiveHTS.Droid.Resource.String.abc_activitychooserview_choose_application;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_capital_off = global::LiveHTS.Droid.Resource.String.abc_capital_off;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_capital_on = global::LiveHTS.Droid.Resource.String.abc_capital_on;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_body_1_material = global::LiveHTS.Droid.Resource.String.abc_font_family_body_1_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_body_2_material = global::LiveHTS.Droid.Resource.String.abc_font_family_body_2_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_button_material = global::LiveHTS.Droid.Resource.String.abc_font_family_button_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_caption_material = global::LiveHTS.Droid.Resource.String.abc_font_family_caption_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_display_1_material = global::LiveHTS.Droid.Resource.String.abc_font_family_display_1_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_display_2_material = global::LiveHTS.Droid.Resource.String.abc_font_family_display_2_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_display_3_material = global::LiveHTS.Droid.Resource.String.abc_font_family_display_3_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_display_4_material = global::LiveHTS.Droid.Resource.String.abc_font_family_display_4_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_headline_material = global::LiveHTS.Droid.Resource.String.abc_font_family_headline_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_menu_material = global::LiveHTS.Droid.Resource.String.abc_font_family_menu_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_subhead_material = global::LiveHTS.Droid.Resource.String.abc_font_family_subhead_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_font_family_title_material = global::LiveHTS.Droid.Resource.String.abc_font_family_title_material;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_search_hint = global::LiveHTS.Droid.Resource.String.abc_search_hint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_searchview_description_clear = global::LiveHTS.Droid.Resource.String.abc_searchview_description_clear;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_searchview_description_query = global::LiveHTS.Droid.Resource.String.abc_searchview_description_query;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_searchview_description_search = global::LiveHTS.Droid.Resource.String.abc_searchview_description_search;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_searchview_description_submit = global::LiveHTS.Droid.Resource.String.abc_searchview_description_submit;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_searchview_description_voice = global::LiveHTS.Droid.Resource.String.abc_searchview_description_voice;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_shareactionprovider_share_with = global::LiveHTS.Droid.Resource.String.abc_shareactionprovider_share_with;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_shareactionprovider_share_with_application = global::LiveHTS.Droid.Resource.String.abc_shareactionprovider_share_with_application;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.abc_toolbar_collapse_description = global::LiveHTS.Droid.Resource.String.abc_toolbar_collapse_description;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.search_menu_title = global::LiveHTS.Droid.Resource.String.search_menu_title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.String.status_bar_notification_info_overflow = global::LiveHTS.Droid.Resource.String.status_bar_notification_info_overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.AlertDialog_AppCompat = global::LiveHTS.Droid.Resource.Style.AlertDialog_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.AlertDialog_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.AlertDialog_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Animation_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Animation_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Animation_AppCompat_DropDownUp = global::LiveHTS.Droid.Resource.Style.Animation_AppCompat_DropDownUp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_AlertDialog_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_AlertDialog_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_AlertDialog_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_AlertDialog_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Animation_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_Animation_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Animation_AppCompat_DropDownUp = global::LiveHTS.Droid.Resource.Style.Base_Animation_AppCompat_DropDownUp;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_DialogWindowTitle_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_DialogWindowTitle_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_DialogWindowTitleBackground_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_DialogWindowTitleBackground_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Body1 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Body1;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Body2 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Body2;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Button = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Caption = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Caption;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Display1 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Display1;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Display2 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Display2;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Display3 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Display3;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Display4 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Display4;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Headline = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Headline;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Large = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Large;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Large_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Large_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Medium = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Medium;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Medium_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Medium_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Menu = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Menu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_SearchResult = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_SearchResult;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_SearchResult_Subtitle = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_SearchResult_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_SearchResult_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_SearchResult_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Small = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Small_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Small_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Subhead = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Subhead;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Subhead_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Subhead_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Title_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Title_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Menu = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Menu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionMode_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionMode_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button_Colored = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button_Colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_DropDownItem = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_DropDownItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Header = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Header;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Large = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Large;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Small = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_Switch = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_Switch;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_TextAppearance_Widget_AppCompat_Toolbar_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_Widget_AppCompat_Toolbar_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_CompactMenu = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_CompactMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Dialog_Alert;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Dialog_FixedSize = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Dialog_FixedSize;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Dialog_MinWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_DialogWhenLarge;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Light_DarkActionBar = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_DarkActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Light_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_Dialog_Alert;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Light_Dialog_FixedSize = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_Dialog_FixedSize;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Light_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_Dialog_MinWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Theme_AppCompat_Light_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_DialogWhenLarge;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_ThemeOverlay_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_ThemeOverlay_AppCompat_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_ThemeOverlay_AppCompat_Dark = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_Dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_ThemeOverlay_AppCompat_Dark_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_Dark_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_ThemeOverlay_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_ThemeOverlay_AppCompat_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_Dialog_Alert;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_ThemeOverlay_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V11_Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V11_Theme_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V11_Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V11_Theme_AppCompat_Light_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V11_ThemeOverlay_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V11_ThemeOverlay_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V12_Widget_AppCompat_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Base_V12_Widget_AppCompat_AutoCompleteTextView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V12_Widget_AppCompat_EditText = global::LiveHTS.Droid.Resource.Style.Base_V12_Widget_AppCompat_EditText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V21_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_V21_Theme_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V21_Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V21_Theme_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V21_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_V21_Theme_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V21_Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V21_Theme_AppCompat_Light_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V21_ThemeOverlay_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V21_ThemeOverlay_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V22_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_V22_Theme_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V22_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_V22_Theme_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V23_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_V23_Theme_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V23_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_V23_Theme_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V7_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_V7_Theme_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V7_Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V7_Theme_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V7_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_V7_Theme_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V7_Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V7_Theme_AppCompat_Light_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V7_ThemeOverlay_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V7_ThemeOverlay_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V7_Widget_AppCompat_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Base_V7_Widget_AppCompat_AutoCompleteTextView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_V7_Widget_AppCompat_EditText = global::LiveHTS.Droid.Resource.Style.Base_V7_Widget_AppCompat_EditText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionBar_Solid = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar_Solid;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionBar_TabBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar_TabBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionBar_TabText = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar_TabText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionBar_TabView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar_TabView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionButton = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionButton_CloseMode = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionButton_CloseMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionButton_Overflow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionButton_Overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActionMode = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ActivityChooserView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActivityChooserView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_AutoCompleteTextView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Button = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Button_Borderless = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_Borderless;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Button_Borderless_Colored = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_Borderless_Colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Button_ButtonBar_AlertDialog = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_ButtonBar_AlertDialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Button_Colored = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_Colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Button_Small = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ButtonBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ButtonBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ButtonBar_AlertDialog = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ButtonBar_AlertDialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_CompoundButton_CheckBox = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_CompoundButton_CheckBox;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_CompoundButton_RadioButton = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_CompoundButton_RadioButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_CompoundButton_Switch = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_CompoundButton_Switch;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_DrawerArrowToggle = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_DrawerArrowToggle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_DrawerArrowToggle_Common = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_DrawerArrowToggle_Common;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_DropDownItem_Spinner = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_DropDownItem_Spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_EditText = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_EditText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ImageButton = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ImageButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Light_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_Solid = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_Solid;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabText = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Light_PopupMenu = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_PopupMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Light_PopupMenu_Overflow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_PopupMenu_Overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ListMenuView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListMenuView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ListPopupWindow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListPopupWindow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ListView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ListView_DropDown = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListView_DropDown;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ListView_Menu = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListView_Menu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_PopupMenu = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_PopupMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_PopupMenu_Overflow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_PopupMenu_Overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_PopupWindow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_PopupWindow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ProgressBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ProgressBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_ProgressBar_Horizontal = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ProgressBar_Horizontal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_RatingBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_RatingBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_RatingBar_Indicator = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_RatingBar_Indicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_RatingBar_Small = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_RatingBar_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_SearchView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_SearchView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_SearchView_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_SearchView_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_SeekBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_SeekBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_SeekBar_Discrete = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_SeekBar_Discrete;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Spinner = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Spinner_Underlined = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Spinner_Underlined;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_TextView_SpinnerItem = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_TextView_SpinnerItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Toolbar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Toolbar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Base_Widget_AppCompat_Toolbar_Button_Navigation = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Toolbar_Button_Navigation;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_ThemeOverlay_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_ThemeOverlay_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_ThemeOverlay_AppCompat_Dark = global::LiveHTS.Droid.Resource.Style.Platform_ThemeOverlay_AppCompat_Dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_ThemeOverlay_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_ThemeOverlay_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_V11_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_V11_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_V11_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_V11_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_V14_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_V14_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_V14_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_V14_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_V21_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_V21_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_V21_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_V21_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Platform_Widget_AppCompat_Spinner = global::LiveHTS.Droid.Resource.Style.Platform_Widget_AppCompat_Spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_DialogWindowTitle_AppCompat = global::LiveHTS.Droid.Resource.Style.RtlOverlay_DialogWindowTitle_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_ActionBar_TitleItem = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_ActionBar_TitleItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_DialogTitle_Icon = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_DialogTitle_Icon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem_Text = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem_Text;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1 = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2 = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Query = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Query;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Text = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Text;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlOverlay_Widget_AppCompat_SearchView_MagIcon = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_SearchView_MagIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlUnderlay_Widget_AppCompat_ActionButton = global::LiveHTS.Droid.Resource.Style.RtlUnderlay_Widget_AppCompat_ActionButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.RtlUnderlay_Widget_AppCompat_ActionButton_Overflow = global::LiveHTS.Droid.Resource.Style.RtlUnderlay_Widget_AppCompat_ActionButton_Overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Body1 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Body1;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Body2 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Body2;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Button = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Caption = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Caption;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Display1 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Display1;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Display2 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Display2;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Display3 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Display3;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Display4 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Display4;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Headline = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Headline;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Large = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Large;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Large_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Large_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Light_SearchResult_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Light_SearchResult_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Light_SearchResult_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Light_SearchResult_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Light_Widget_PopupMenu_Large = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Light_Widget_PopupMenu_Large;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Light_Widget_PopupMenu_Small = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Light_Widget_PopupMenu_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Medium = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Medium;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Medium_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Medium_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Menu = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Menu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Info = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Info;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Info_Media = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Info_Media;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Line2 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Line2;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Line2_Media = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Line2_Media;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Media = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Media;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Time = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Time;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Time_Media = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Time_Media;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Notification_Title_Media = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Notification_Title_Media;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_SearchResult_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_SearchResult_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_SearchResult_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_SearchResult_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Small = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Small_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Small_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Subhead = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Subhead;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Subhead_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Subhead_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Title_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Title_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Menu = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Menu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_Button = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_Button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_Button_Borderless_Colored = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_Button_Borderless_Colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_Button_Colored = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_Button_Colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_Button_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_Button_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_DropDownItem = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_DropDownItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Header = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Header;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Large = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Large;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Small = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_Switch = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_Switch;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_AppCompat_Widget_TextView_SpinnerItem = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_TextView_SpinnerItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_Widget_AppCompat_ExpandedMenu_Item = global::LiveHTS.Droid.Resource.Style.TextAppearance_Widget_AppCompat_ExpandedMenu_Item;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_Widget_AppCompat_Toolbar_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_Widget_AppCompat_Toolbar_Subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.TextAppearance_Widget_AppCompat_Toolbar_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_Widget_AppCompat_Toolbar_Title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_CompactMenu = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_CompactMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_DayNight = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_DayNight_DarkActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_DarkActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_DayNight_Dialog = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_DayNight_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_Dialog_Alert;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_DayNight_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_Dialog_MinWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_DayNight_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_DialogWhenLarge;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_DayNight_NoActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_NoActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Dialog_Alert;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Dialog_MinWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DialogWhenLarge;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Light_DarkActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_DarkActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Light_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_Dialog_Alert;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Light_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_Dialog_MinWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Light_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_DialogWhenLarge;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_Light_NoActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_NoActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Theme_AppCompat_NoActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_NoActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.ThemeOverlay_AppCompat = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.ThemeOverlay_AppCompat_ActionBar = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.ThemeOverlay_AppCompat_Dark = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_Dark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.ThemeOverlay_AppCompat_Dark_ActionBar = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_Dark_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.ThemeOverlay_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_Dialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.ThemeOverlay_AppCompat_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_Dialog_Alert;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.ThemeOverlay_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_Light;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionBar_Solid = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar_Solid;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionBar_TabBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar_TabBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionBar_TabText = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar_TabText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionBar_TabView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar_TabView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionButton = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionButton_CloseMode = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionButton_CloseMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionButton_Overflow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionButton_Overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActionMode = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ActivityChooserView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActivityChooserView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_AutoCompleteTextView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Button = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Button_Borderless = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_Borderless;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Button_Borderless_Colored = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_Borderless_Colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Button_ButtonBar_AlertDialog = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_ButtonBar_AlertDialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Button_Colored = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_Colored;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Button_Small = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ButtonBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ButtonBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ButtonBar_AlertDialog = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ButtonBar_AlertDialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_CompoundButton_CheckBox = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_CompoundButton_CheckBox;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_CompoundButton_RadioButton = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_CompoundButton_RadioButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_CompoundButton_Switch = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_CompoundButton_Switch;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_DrawerArrowToggle = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_DrawerArrowToggle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_DropDownItem_Spinner = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_DropDownItem_Spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_EditText = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_EditText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ImageButton = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ImageButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar_Solid = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_Solid;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar_Solid_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_Solid_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar_TabBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar_TabBar_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabBar_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar_TabText = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar_TabText_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabText_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar_TabView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionBar_TabView_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabView_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionButton = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionButton_CloseMode = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionButton_CloseMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionButton_Overflow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionButton_Overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActionMode_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionMode_Inverse;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ActivityChooserView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActivityChooserView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_AutoCompleteTextView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_DropDownItem_Spinner = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_DropDownItem_Spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ListPopupWindow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ListPopupWindow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_ListView_DropDown = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ListView_DropDown;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_PopupMenu = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_PopupMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_PopupMenu_Overflow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_PopupMenu_Overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_SearchView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_SearchView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Light_Spinner_DropDown_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_Spinner_DropDown_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ListMenuView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListMenuView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ListPopupWindow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListPopupWindow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ListView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ListView_DropDown = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListView_DropDown;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ListView_Menu = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListView_Menu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_PopupMenu = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_PopupMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_PopupMenu_Overflow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_PopupMenu_Overflow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_PopupWindow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_PopupWindow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ProgressBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ProgressBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_ProgressBar_Horizontal = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ProgressBar_Horizontal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_RatingBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_RatingBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_RatingBar_Indicator = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_RatingBar_Indicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_RatingBar_Small = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_RatingBar_Small;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_SearchView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_SearchView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_SearchView_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_SearchView_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_SeekBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_SeekBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_SeekBar_Discrete = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_SeekBar_Discrete;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Spinner = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Spinner_DropDown = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Spinner_DropDown;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Spinner_DropDown_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Spinner_DropDown_ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Spinner_Underlined = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Spinner_Underlined;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_TextView_SpinnerItem = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_TextView_SpinnerItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Toolbar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Toolbar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Style.Widget_AppCompat_Toolbar_Button_Navigation = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Toolbar_Button_Navigation;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Xml.Empty = global::LiveHTS.Droid.Resource.Xml.Empty;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar = global::LiveHTS.Droid.Resource.Styleable.ActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_background = global::LiveHTS.Droid.Resource.Styleable.ActionBar_background;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_backgroundSplit = global::LiveHTS.Droid.Resource.Styleable.ActionBar_backgroundSplit;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_backgroundStacked = global::LiveHTS.Droid.Resource.Styleable.ActionBar_backgroundStacked;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_contentInsetEnd = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetEnd;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_contentInsetEndWithActions = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetEndWithActions;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_contentInsetLeft = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetLeft;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_contentInsetRight = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetRight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_contentInsetStart = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetStart;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_contentInsetStartWithNavigation = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetStartWithNavigation;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_customNavigationLayout = global::LiveHTS.Droid.Resource.Styleable.ActionBar_customNavigationLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_displayOptions = global::LiveHTS.Droid.Resource.Styleable.ActionBar_displayOptions;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_divider = global::LiveHTS.Droid.Resource.Styleable.ActionBar_divider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_elevation = global::LiveHTS.Droid.Resource.Styleable.ActionBar_elevation;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_height = global::LiveHTS.Droid.Resource.Styleable.ActionBar_height;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_hideOnContentScroll = global::LiveHTS.Droid.Resource.Styleable.ActionBar_hideOnContentScroll;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_homeAsUpIndicator = global::LiveHTS.Droid.Resource.Styleable.ActionBar_homeAsUpIndicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_homeLayout = global::LiveHTS.Droid.Resource.Styleable.ActionBar_homeLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_icon = global::LiveHTS.Droid.Resource.Styleable.ActionBar_icon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_indeterminateProgressStyle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_indeterminateProgressStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_itemPadding = global::LiveHTS.Droid.Resource.Styleable.ActionBar_itemPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_logo = global::LiveHTS.Droid.Resource.Styleable.ActionBar_logo;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_navigationMode = global::LiveHTS.Droid.Resource.Styleable.ActionBar_navigationMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_popupTheme = global::LiveHTS.Droid.Resource.Styleable.ActionBar_popupTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_progressBarPadding = global::LiveHTS.Droid.Resource.Styleable.ActionBar_progressBarPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_progressBarStyle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_progressBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_subtitle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_subtitleTextStyle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_subtitleTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_title = global::LiveHTS.Droid.Resource.Styleable.ActionBar_title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBar_titleTextStyle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_titleTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBarLayout = global::LiveHTS.Droid.Resource.Styleable.ActionBarLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionBarLayout_android_layout_gravity = global::LiveHTS.Droid.Resource.Styleable.ActionBarLayout_android_layout_gravity;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMenuItemView = global::LiveHTS.Droid.Resource.Styleable.ActionMenuItemView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMenuItemView_android_minWidth = global::LiveHTS.Droid.Resource.Styleable.ActionMenuItemView_android_minWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMenuView = global::LiveHTS.Droid.Resource.Styleable.ActionMenuView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMode = global::LiveHTS.Droid.Resource.Styleable.ActionMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMode_background = global::LiveHTS.Droid.Resource.Styleable.ActionMode_background;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMode_backgroundSplit = global::LiveHTS.Droid.Resource.Styleable.ActionMode_backgroundSplit;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMode_closeItemLayout = global::LiveHTS.Droid.Resource.Styleable.ActionMode_closeItemLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMode_height = global::LiveHTS.Droid.Resource.Styleable.ActionMode_height;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMode_subtitleTextStyle = global::LiveHTS.Droid.Resource.Styleable.ActionMode_subtitleTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActionMode_titleTextStyle = global::LiveHTS.Droid.Resource.Styleable.ActionMode_titleTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActivityChooserView = global::LiveHTS.Droid.Resource.Styleable.ActivityChooserView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActivityChooserView_expandActivityOverflowButtonDrawable = global::LiveHTS.Droid.Resource.Styleable.ActivityChooserView_expandActivityOverflowButtonDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ActivityChooserView_initialActivityCount = global::LiveHTS.Droid.Resource.Styleable.ActivityChooserView_initialActivityCount;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AlertDialog = global::LiveHTS.Droid.Resource.Styleable.AlertDialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AlertDialog_android_layout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_android_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AlertDialog_buttonPanelSideLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_buttonPanelSideLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AlertDialog_listItemLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_listItemLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AlertDialog_listLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_listLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AlertDialog_multiChoiceItemLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_multiChoiceItemLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AlertDialog_showTitle = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_showTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AlertDialog_singleChoiceItemLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_singleChoiceItemLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatImageView = global::LiveHTS.Droid.Resource.Styleable.AppCompatImageView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatImageView_android_src = global::LiveHTS.Droid.Resource.Styleable.AppCompatImageView_android_src;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatImageView_srcCompat = global::LiveHTS.Droid.Resource.Styleable.AppCompatImageView_srcCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatSeekBar = global::LiveHTS.Droid.Resource.Styleable.AppCompatSeekBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatSeekBar_android_thumb = global::LiveHTS.Droid.Resource.Styleable.AppCompatSeekBar_android_thumb;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatSeekBar_tickMark = global::LiveHTS.Droid.Resource.Styleable.AppCompatSeekBar_tickMark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatSeekBar_tickMarkTint = global::LiveHTS.Droid.Resource.Styleable.AppCompatSeekBar_tickMarkTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatSeekBar_tickMarkTintMode = global::LiveHTS.Droid.Resource.Styleable.AppCompatSeekBar_tickMarkTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextHelper = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextHelper;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextHelper_android_drawableBottom = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextHelper_android_drawableBottom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextHelper_android_drawableEnd = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextHelper_android_drawableEnd;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextHelper_android_drawableLeft = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextHelper_android_drawableLeft;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextHelper_android_drawableRight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextHelper_android_drawableRight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextHelper_android_drawableStart = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextHelper_android_drawableStart;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextHelper_android_drawableTop = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextHelper_android_drawableTop;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextHelper_android_textAppearance = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextHelper_android_textAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextView = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextView_android_textAppearance = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextView_android_textAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTextView_textAllCaps = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextView_textAllCaps;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarDivider = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarDivider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarItemBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarItemBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarPopupTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarPopupTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarSize = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarSize;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarSplitStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarSplitStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarTabBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarTabBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarTabStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarTabStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarTabTextStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarTabTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionBarWidgetTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarWidgetTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionDropDownStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionDropDownStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionMenuTextAppearance = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionMenuTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionMenuTextColor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionMenuTextColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeCloseButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeCloseButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeCloseDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeCloseDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeCopyDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeCopyDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeCutDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeCutDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeFindDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeFindDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModePasteDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModePasteDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModePopupWindowStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModePopupWindowStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeSelectAllDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeSelectAllDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeShareDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeShareDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeSplitBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeSplitBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionModeWebSearchDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeWebSearchDrawable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionOverflowButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionOverflowButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_actionOverflowMenuStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionOverflowMenuStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_activityChooserViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_activityChooserViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_alertDialogButtonGroupStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_alertDialogButtonGroupStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_alertDialogCenterButtons = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_alertDialogCenterButtons;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_alertDialogStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_alertDialogStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_alertDialogTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_alertDialogTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_android_windowAnimationStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_android_windowAnimationStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_android_windowIsFloating = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_android_windowIsFloating;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_autoCompleteTextViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_autoCompleteTextViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_borderlessButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_borderlessButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_buttonBarButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_buttonBarNegativeButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarNegativeButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_buttonBarNeutralButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarNeutralButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_buttonBarPositiveButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarPositiveButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_buttonBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_buttonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_buttonStyleSmall = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonStyleSmall;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_checkboxStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_checkboxStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_checkedTextViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_checkedTextViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorAccent = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorAccent;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorBackgroundFloating = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorBackgroundFloating;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorButtonNormal = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorButtonNormal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorControlActivated = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorControlActivated;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorControlHighlight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorControlHighlight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorControlNormal = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorControlNormal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorPrimary = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorPrimary;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorPrimaryDark = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorPrimaryDark;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_colorSwitchThumbNormal = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorSwitchThumbNormal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_controlBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_controlBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_dialogPreferredPadding = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dialogPreferredPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_dialogTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dialogTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_dividerHorizontal = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dividerHorizontal;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_dividerVertical = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dividerVertical;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_dropDownListViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dropDownListViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_dropdownListPreferredItemHeight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dropdownListPreferredItemHeight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_editTextBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_editTextBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_editTextColor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_editTextColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_editTextStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_editTextStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_homeAsUpIndicator = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_homeAsUpIndicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_imageButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_imageButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listChoiceBackgroundIndicator = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listChoiceBackgroundIndicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listDividerAlertDialog = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listDividerAlertDialog;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listMenuViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listMenuViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listPopupWindowStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPopupWindowStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listPreferredItemHeight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemHeight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listPreferredItemHeightLarge = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemHeightLarge;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listPreferredItemHeightSmall = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemHeightSmall;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listPreferredItemPaddingLeft = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemPaddingLeft;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_listPreferredItemPaddingRight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemPaddingRight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_panelBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_panelBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_panelMenuListTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_panelMenuListTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_panelMenuListWidth = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_panelMenuListWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_popupMenuStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_popupMenuStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_popupWindowStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_popupWindowStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_radioButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_radioButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_ratingBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_ratingBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_ratingBarStyleIndicator = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_ratingBarStyleIndicator;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_ratingBarStyleSmall = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_ratingBarStyleSmall;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_searchViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_searchViewStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_seekBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_seekBarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_selectableItemBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_selectableItemBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_selectableItemBackgroundBorderless = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_selectableItemBackgroundBorderless;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_spinnerDropDownItemStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_spinnerDropDownItemStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_spinnerStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_spinnerStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_switchStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_switchStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textAppearanceLargePopupMenu = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceLargePopupMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textAppearanceListItem = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceListItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textAppearanceListItemSmall = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceListItemSmall;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textAppearancePopupMenuHeader = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearancePopupMenuHeader;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textAppearanceSearchResultSubtitle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceSearchResultSubtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textAppearanceSearchResultTitle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceSearchResultTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textAppearanceSmallPopupMenu = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceSmallPopupMenu;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textColorAlertDialogListItem = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textColorAlertDialogListItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_textColorSearchUrl = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textColorSearchUrl;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_toolbarNavigationButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_toolbarNavigationButtonStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_toolbarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_toolbarStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowActionBar = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowActionBar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowActionBarOverlay = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowActionBarOverlay;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowActionModeOverlay = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowActionModeOverlay;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowFixedHeightMajor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowFixedHeightMajor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowFixedHeightMinor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowFixedHeightMinor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowFixedWidthMajor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowFixedWidthMajor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowFixedWidthMinor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowFixedWidthMinor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowMinWidthMajor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowMinWidthMajor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowMinWidthMinor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowMinWidthMinor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.AppCompatTheme_windowNoTitle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowNoTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ButtonBarLayout = global::LiveHTS.Droid.Resource.Styleable.ButtonBarLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ButtonBarLayout_allowStacking = global::LiveHTS.Droid.Resource.Styleable.ButtonBarLayout_allowStacking;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ColorStateListItem = global::LiveHTS.Droid.Resource.Styleable.ColorStateListItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ColorStateListItem_alpha = global::LiveHTS.Droid.Resource.Styleable.ColorStateListItem_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ColorStateListItem_android_alpha = global::LiveHTS.Droid.Resource.Styleable.ColorStateListItem_android_alpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ColorStateListItem_android_color = global::LiveHTS.Droid.Resource.Styleable.ColorStateListItem_android_color;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.CompoundButton = global::LiveHTS.Droid.Resource.Styleable.CompoundButton;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.CompoundButton_android_button = global::LiveHTS.Droid.Resource.Styleable.CompoundButton_android_button;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.CompoundButton_buttonTint = global::LiveHTS.Droid.Resource.Styleable.CompoundButton_buttonTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.CompoundButton_buttonTintMode = global::LiveHTS.Droid.Resource.Styleable.CompoundButton_buttonTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle_arrowHeadLength = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_arrowHeadLength;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle_arrowShaftLength = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_arrowShaftLength;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle_barLength = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_barLength;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle_color = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_color;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle_drawableSize = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_drawableSize;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle_gapBetweenBars = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_gapBetweenBars;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle_spinBars = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_spinBars;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.DrawerArrowToggle_thickness = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_thickness;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_android_baselineAligned = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_baselineAligned;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_android_baselineAlignedChildIndex = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_baselineAlignedChildIndex;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_android_gravity = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_gravity;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_android_orientation = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_orientation;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_android_weightSum = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_weightSum;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_divider = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_divider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_dividerPadding = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_dividerPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_measureWithLargestChild = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_measureWithLargestChild;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_showDividers = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_showDividers;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_Layout = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_gravity = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_gravity;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_height = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_height;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_weight = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_weight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_width = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_width;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ListPopupWindow = global::LiveHTS.Droid.Resource.Styleable.ListPopupWindow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ListPopupWindow_android_dropDownHorizontalOffset = global::LiveHTS.Droid.Resource.Styleable.ListPopupWindow_android_dropDownHorizontalOffset;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ListPopupWindow_android_dropDownVerticalOffset = global::LiveHTS.Droid.Resource.Styleable.ListPopupWindow_android_dropDownVerticalOffset;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuGroup = global::LiveHTS.Droid.Resource.Styleable.MenuGroup;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuGroup_android_checkableBehavior = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_checkableBehavior;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuGroup_android_enabled = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_enabled;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuGroup_android_id = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_id;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuGroup_android_menuCategory = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_menuCategory;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuGroup_android_orderInCategory = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_orderInCategory;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuGroup_android_visible = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_visible;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem = global::LiveHTS.Droid.Resource.Styleable.MenuItem;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_actionLayout = global::LiveHTS.Droid.Resource.Styleable.MenuItem_actionLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_actionProviderClass = global::LiveHTS.Droid.Resource.Styleable.MenuItem_actionProviderClass;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_actionViewClass = global::LiveHTS.Droid.Resource.Styleable.MenuItem_actionViewClass;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_alphabeticShortcut = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_alphabeticShortcut;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_checkable = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_checkable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_checked = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_checked;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_enabled = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_enabled;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_icon = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_icon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_id = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_id;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_menuCategory = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_menuCategory;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_numericShortcut = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_numericShortcut;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_onClick = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_onClick;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_orderInCategory = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_orderInCategory;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_title = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_titleCondensed = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_titleCondensed;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_android_visible = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_visible;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuItem_showAsAction = global::LiveHTS.Droid.Resource.Styleable.MenuItem_showAsAction;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView = global::LiveHTS.Droid.Resource.Styleable.MenuView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_android_headerBackground = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_headerBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_android_horizontalDivider = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_horizontalDivider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_android_itemBackground = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_itemBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_android_itemIconDisabledAlpha = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_itemIconDisabledAlpha;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_android_itemTextAppearance = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_itemTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_android_verticalDivider = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_verticalDivider;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_android_windowAnimationStyle = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_windowAnimationStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_preserveIconSpacing = global::LiveHTS.Droid.Resource.Styleable.MenuView_preserveIconSpacing;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MenuView_subMenuArrow = global::LiveHTS.Droid.Resource.Styleable.MenuView_subMenuArrow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxBinding = global::LiveHTS.Droid.Resource.Styleable.MvxBinding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxBinding_MvxBind = global::LiveHTS.Droid.Resource.Styleable.MvxBinding_MvxBind;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxBinding_MvxLang = global::LiveHTS.Droid.Resource.Styleable.MvxBinding_MvxLang;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxControl = global::LiveHTS.Droid.Resource.Styleable.MvxControl;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxControl_MvxTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxControl_MvxTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxExpandableListView = global::LiveHTS.Droid.Resource.Styleable.MvxExpandableListView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxExpandableListView_MvxGroupItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxExpandableListView_MvxGroupItemTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxImageView = global::LiveHTS.Droid.Resource.Styleable.MvxImageView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxImageView_MvxSource = global::LiveHTS.Droid.Resource.Styleable.MvxImageView_MvxSource;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxListView = global::LiveHTS.Droid.Resource.Styleable.MvxListView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxListView_MvxDropDownItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxListView_MvxDropDownItemTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.MvxListView_MvxItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxListView_MvxItemTemplate;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.PopupWindow = global::LiveHTS.Droid.Resource.Styleable.PopupWindow;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.PopupWindow_android_popupAnimationStyle = global::LiveHTS.Droid.Resource.Styleable.PopupWindow_android_popupAnimationStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.PopupWindow_android_popupBackground = global::LiveHTS.Droid.Resource.Styleable.PopupWindow_android_popupBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.PopupWindow_overlapAnchor = global::LiveHTS.Droid.Resource.Styleable.PopupWindow_overlapAnchor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.PopupWindowBackgroundState = global::LiveHTS.Droid.Resource.Styleable.PopupWindowBackgroundState;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.PopupWindowBackgroundState_state_above_anchor = global::LiveHTS.Droid.Resource.Styleable.PopupWindowBackgroundState_state_above_anchor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.RecycleListView = global::LiveHTS.Droid.Resource.Styleable.RecycleListView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.RecycleListView_paddingBottomNoButtons = global::LiveHTS.Droid.Resource.Styleable.RecycleListView_paddingBottomNoButtons;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.RecycleListView_paddingTopNoTitle = global::LiveHTS.Droid.Resource.Styleable.RecycleListView_paddingTopNoTitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView = global::LiveHTS.Droid.Resource.Styleable.SearchView;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_android_focusable = global::LiveHTS.Droid.Resource.Styleable.SearchView_android_focusable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_android_imeOptions = global::LiveHTS.Droid.Resource.Styleable.SearchView_android_imeOptions;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_android_inputType = global::LiveHTS.Droid.Resource.Styleable.SearchView_android_inputType;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_android_maxWidth = global::LiveHTS.Droid.Resource.Styleable.SearchView_android_maxWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_closeIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_closeIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_commitIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_commitIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_defaultQueryHint = global::LiveHTS.Droid.Resource.Styleable.SearchView_defaultQueryHint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_goIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_goIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_iconifiedByDefault = global::LiveHTS.Droid.Resource.Styleable.SearchView_iconifiedByDefault;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_layout = global::LiveHTS.Droid.Resource.Styleable.SearchView_layout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_queryBackground = global::LiveHTS.Droid.Resource.Styleable.SearchView_queryBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_queryHint = global::LiveHTS.Droid.Resource.Styleable.SearchView_queryHint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_searchHintIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_searchHintIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_searchIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_searchIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_submitBackground = global::LiveHTS.Droid.Resource.Styleable.SearchView_submitBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_suggestionRowLayout = global::LiveHTS.Droid.Resource.Styleable.SearchView_suggestionRowLayout;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SearchView_voiceIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_voiceIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Spinner = global::LiveHTS.Droid.Resource.Styleable.Spinner;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Spinner_android_dropDownWidth = global::LiveHTS.Droid.Resource.Styleable.Spinner_android_dropDownWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Spinner_android_entries = global::LiveHTS.Droid.Resource.Styleable.Spinner_android_entries;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Spinner_android_popupBackground = global::LiveHTS.Droid.Resource.Styleable.Spinner_android_popupBackground;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Spinner_android_prompt = global::LiveHTS.Droid.Resource.Styleable.Spinner_android_prompt;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Spinner_popupTheme = global::LiveHTS.Droid.Resource.Styleable.Spinner_popupTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_android_textOff = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_android_textOff;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_android_textOn = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_android_textOn;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_android_thumb = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_android_thumb;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_showText = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_showText;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_splitTrack = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_splitTrack;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_switchMinWidth = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_switchMinWidth;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_switchPadding = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_switchPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_switchTextAppearance = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_switchTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_thumbTextPadding = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_thumbTextPadding;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_thumbTint = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_thumbTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_thumbTintMode = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_thumbTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_track = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_track;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_trackTint = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_trackTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.SwitchCompat_trackTintMode = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_trackTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance = global::LiveHTS.Droid.Resource.Styleable.TextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_shadowColor = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_shadowColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_shadowDx = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_shadowDx;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_shadowDy = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_shadowDy;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_shadowRadius = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_shadowRadius;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_textColor = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_textColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_textColorHint = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_textColorHint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_textSize = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_textSize;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_textStyle = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_textStyle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_android_typeface = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_typeface;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.TextAppearance_textAllCaps = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_textAllCaps;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar = global::LiveHTS.Droid.Resource.Styleable.Toolbar;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_android_gravity = global::LiveHTS.Droid.Resource.Styleable.Toolbar_android_gravity;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_android_minHeight = global::LiveHTS.Droid.Resource.Styleable.Toolbar_android_minHeight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_buttonGravity = global::LiveHTS.Droid.Resource.Styleable.Toolbar_buttonGravity;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_collapseContentDescription = global::LiveHTS.Droid.Resource.Styleable.Toolbar_collapseContentDescription;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_collapseIcon = global::LiveHTS.Droid.Resource.Styleable.Toolbar_collapseIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_contentInsetEnd = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetEnd;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_contentInsetEndWithActions = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetEndWithActions;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_contentInsetLeft = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetLeft;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_contentInsetRight = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetRight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_contentInsetStart = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetStart;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_contentInsetStartWithNavigation = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetStartWithNavigation;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_logo = global::LiveHTS.Droid.Resource.Styleable.Toolbar_logo;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_logoDescription = global::LiveHTS.Droid.Resource.Styleable.Toolbar_logoDescription;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_maxButtonHeight = global::LiveHTS.Droid.Resource.Styleable.Toolbar_maxButtonHeight;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_navigationContentDescription = global::LiveHTS.Droid.Resource.Styleable.Toolbar_navigationContentDescription;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_navigationIcon = global::LiveHTS.Droid.Resource.Styleable.Toolbar_navigationIcon;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_popupTheme = global::LiveHTS.Droid.Resource.Styleable.Toolbar_popupTheme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_subtitle = global::LiveHTS.Droid.Resource.Styleable.Toolbar_subtitle;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_subtitleTextAppearance = global::LiveHTS.Droid.Resource.Styleable.Toolbar_subtitleTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_subtitleTextColor = global::LiveHTS.Droid.Resource.Styleable.Toolbar_subtitleTextColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_title = global::LiveHTS.Droid.Resource.Styleable.Toolbar_title;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_titleMargin = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMargin;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_titleMarginBottom = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMarginBottom;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_titleMarginEnd = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMarginEnd;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_titleMarginStart = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMarginStart;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_titleMarginTop = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMarginTop;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_titleMargins = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMargins;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_titleTextAppearance = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleTextAppearance;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.Toolbar_titleTextColor = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleTextColor;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.View = global::LiveHTS.Droid.Resource.Styleable.View;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.View_android_focusable = global::LiveHTS.Droid.Resource.Styleable.View_android_focusable;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.View_android_theme = global::LiveHTS.Droid.Resource.Styleable.View_android_theme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.View_paddingEnd = global::LiveHTS.Droid.Resource.Styleable.View_paddingEnd;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.View_paddingStart = global::LiveHTS.Droid.Resource.Styleable.View_paddingStart;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.View_theme = global::LiveHTS.Droid.Resource.Styleable.View_theme;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ViewBackgroundHelper = global::LiveHTS.Droid.Resource.Styleable.ViewBackgroundHelper;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ViewBackgroundHelper_android_background = global::LiveHTS.Droid.Resource.Styleable.ViewBackgroundHelper_android_background;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ViewBackgroundHelper_backgroundTint = global::LiveHTS.Droid.Resource.Styleable.ViewBackgroundHelper_backgroundTint;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ViewBackgroundHelper_backgroundTintMode = global::LiveHTS.Droid.Resource.Styleable.ViewBackgroundHelper_backgroundTintMode;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ViewStubCompat = global::LiveHTS.Droid.Resource.Styleable.ViewStubCompat;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ViewStubCompat_android_id = global::LiveHTS.Droid.Resource.Styleable.ViewStubCompat_android_id;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ViewStubCompat_android_inflatedId = global::LiveHTS.Droid.Resource.Styleable.ViewStubCompat_android_inflatedId;
global::MvvmCross.Droid.Support.V7.AppCompat.Resource.Styleable.ViewStubCompat_android_layout = global::LiveHTS.Droid.Resource.Styleable.ViewStubCompat_android_layout;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.MvxBind = global::LiveHTS.Droid.Resource.Attribute.MvxBind;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.MvxDropDownItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxDropDownItemTemplate;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.MvxGroupItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxGroupItemTemplate;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.MvxItemTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxItemTemplate;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.MvxLang = global::LiveHTS.Droid.Resource.Attribute.MvxLang;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.MvxSource = global::LiveHTS.Droid.Resource.Attribute.MvxSource;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.MvxTemplate = global::LiveHTS.Droid.Resource.Attribute.MvxTemplate;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.MvxTemplateSelector = global::LiveHTS.Droid.Resource.Attribute.MvxTemplateSelector;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.layoutManager = global::LiveHTS.Droid.Resource.Attribute.layoutManager;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.reverseLayout = global::LiveHTS.Droid.Resource.Attribute.reverseLayout;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.spanCount = global::LiveHTS.Droid.Resource.Attribute.spanCount;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Attribute.stackFromEnd = global::LiveHTS.Droid.Resource.Attribute.stackFromEnd;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Dimension.item_touch_helper_max_drag_scroll_per_frame = global::LiveHTS.Droid.Resource.Dimension.item_touch_helper_max_drag_scroll_per_frame;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Dimension.item_touch_helper_swipe_escape_max_velocity = global::LiveHTS.Droid.Resource.Dimension.item_touch_helper_swipe_escape_max_velocity;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Dimension.item_touch_helper_swipe_escape_velocity = global::LiveHTS.Droid.Resource.Dimension.item_touch_helper_swipe_escape_velocity;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Id.MvvmCrossTagId = global::LiveHTS.Droid.Resource.Id.MvvmCrossTagId;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Id.MvxBindingTagUnique = global::LiveHTS.Droid.Resource.Id.MvxBindingTagUnique;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Id.item_touch_helper_previous_elevation = global::LiveHTS.Droid.Resource.Id.item_touch_helper_previous_elevation;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxBinding = global::LiveHTS.Droid.Resource.Styleable.MvxBinding;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxBinding_MvxBind = global::LiveHTS.Droid.Resource.Styleable.MvxBinding_MvxBind;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxBinding_MvxLang = global::LiveHTS.Droid.Resource.Styleable.MvxBinding_MvxLang;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxControl = global::LiveHTS.Droid.Resource.Styleable.MvxControl;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxControl_MvxTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxControl_MvxTemplate;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxExpandableListView = global::LiveHTS.Droid.Resource.Styleable.MvxExpandableListView;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxExpandableListView_MvxGroupItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxExpandableListView_MvxGroupItemTemplate;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxImageView = global::LiveHTS.Droid.Resource.Styleable.MvxImageView;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxImageView_MvxSource = global::LiveHTS.Droid.Resource.Styleable.MvxImageView_MvxSource;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxListView = global::LiveHTS.Droid.Resource.Styleable.MvxListView;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxListView_MvxDropDownItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxListView_MvxDropDownItemTemplate;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxListView_MvxItemTemplate = global::LiveHTS.Droid.Resource.Styleable.MvxListView_MvxItemTemplate;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxRecyclerView = global::LiveHTS.Droid.Resource.Styleable.MvxRecyclerView;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.MvxRecyclerView_MvxTemplateSelector = global::LiveHTS.Droid.Resource.Styleable.MvxRecyclerView_MvxTemplateSelector;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.RecyclerView = global::LiveHTS.Droid.Resource.Styleable.RecyclerView;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.RecyclerView_android_descendantFocusability = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_android_descendantFocusability;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.RecyclerView_android_orientation = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_android_orientation;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.RecyclerView_layoutManager = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_layoutManager;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.RecyclerView_reverseLayout = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_reverseLayout;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.RecyclerView_spanCount = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_spanCount;
global::MvvmCross.Droid.Support.V7.RecyclerView.Resource.Styleable.RecyclerView_stackFromEnd = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_stackFromEnd;
global::com.refractored.fab.Resource.Attribute.fab_colorDisabled = global::LiveHTS.Droid.Resource.Attribute.fab_colorDisabled;
global::com.refractored.fab.Resource.Attribute.fab_colorNormal = global::LiveHTS.Droid.Resource.Attribute.fab_colorNormal;
global::com.refractored.fab.Resource.Attribute.fab_colorPressed = global::LiveHTS.Droid.Resource.Attribute.fab_colorPressed;
global::com.refractored.fab.Resource.Attribute.fab_colorRipple = global::LiveHTS.Droid.Resource.Attribute.fab_colorRipple;
global::com.refractored.fab.Resource.Attribute.fab_shadow = global::LiveHTS.Droid.Resource.Attribute.fab_shadow;
global::com.refractored.fab.Resource.Attribute.fab_size = global::LiveHTS.Droid.Resource.Attribute.fab_size;
global::com.refractored.fab.Resource.Attribute.layoutManager = global::LiveHTS.Droid.Resource.Attribute.layoutManager;
global::com.refractored.fab.Resource.Attribute.reverseLayout = global::LiveHTS.Droid.Resource.Attribute.reverseLayout;
global::com.refractored.fab.Resource.Attribute.spanCount = global::LiveHTS.Droid.Resource.Attribute.spanCount;
global::com.refractored.fab.Resource.Attribute.stackFromEnd = global::LiveHTS.Droid.Resource.Attribute.stackFromEnd;
global::com.refractored.fab.Resource.Color.fab_material_blue_500 = global::LiveHTS.Droid.Resource.Color.fab_material_blue_500;
global::com.refractored.fab.Resource.Dimension.fab_elevation_lollipop = global::LiveHTS.Droid.Resource.Dimension.fab_elevation_lollipop;
global::com.refractored.fab.Resource.Dimension.fab_scroll_threshold = global::LiveHTS.Droid.Resource.Dimension.fab_scroll_threshold;
global::com.refractored.fab.Resource.Dimension.fab_shadow_size = global::LiveHTS.Droid.Resource.Dimension.fab_shadow_size;
global::com.refractored.fab.Resource.Dimension.fab_size_mini = global::LiveHTS.Droid.Resource.Dimension.fab_size_mini;
global::com.refractored.fab.Resource.Dimension.fab_size_normal = global::LiveHTS.Droid.Resource.Dimension.fab_size_normal;
global::com.refractored.fab.Resource.Dimension.item_touch_helper_max_drag_scroll_per_frame = global::LiveHTS.Droid.Resource.Dimension.item_touch_helper_max_drag_scroll_per_frame;
global::com.refractored.fab.Resource.Drawable.fab_shadow = global::LiveHTS.Droid.Resource.Drawable.fab_shadow;
global::com.refractored.fab.Resource.Drawable.fab_shadow_mini = global::LiveHTS.Droid.Resource.Drawable.fab_shadow_mini;
global::com.refractored.fab.Resource.Id.item_touch_helper_previous_elevation = global::LiveHTS.Droid.Resource.Id.item_touch_helper_previous_elevation;
global::com.refractored.fab.Resource.Id.mini = global::LiveHTS.Droid.Resource.Id.mini;
global::com.refractored.fab.Resource.Id.normal = global::LiveHTS.Droid.Resource.Id.normal;
global::com.refractored.fab.Resource.Styleable.FloatingActionButton = global::LiveHTS.Droid.Resource.Styleable.FloatingActionButton;
global::com.refractored.fab.Resource.Styleable.FloatingActionButton_fab_colorDisabled = global::LiveHTS.Droid.Resource.Styleable.FloatingActionButton_fab_colorDisabled;
global::com.refractored.fab.Resource.Styleable.FloatingActionButton_fab_colorNormal = global::LiveHTS.Droid.Resource.Styleable.FloatingActionButton_fab_colorNormal;
global::com.refractored.fab.Resource.Styleable.FloatingActionButton_fab_colorPressed = global::LiveHTS.Droid.Resource.Styleable.FloatingActionButton_fab_colorPressed;
global::com.refractored.fab.Resource.Styleable.FloatingActionButton_fab_colorRipple = global::LiveHTS.Droid.Resource.Styleable.FloatingActionButton_fab_colorRipple;
global::com.refractored.fab.Resource.Styleable.FloatingActionButton_fab_shadow = global::LiveHTS.Droid.Resource.Styleable.FloatingActionButton_fab_shadow;
global::com.refractored.fab.Resource.Styleable.FloatingActionButton_fab_size = global::LiveHTS.Droid.Resource.Styleable.FloatingActionButton_fab_size;
global::com.refractored.fab.Resource.Styleable.RecyclerView = global::LiveHTS.Droid.Resource.Styleable.RecyclerView;
global::com.refractored.fab.Resource.Styleable.RecyclerView_android_orientation = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_android_orientation;
global::com.refractored.fab.Resource.Styleable.RecyclerView_layoutManager = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_layoutManager;
global::com.refractored.fab.Resource.Styleable.RecyclerView_reverseLayout = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_reverseLayout;
global::com.refractored.fab.Resource.Styleable.RecyclerView_spanCount = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_spanCount;
global::com.refractored.fab.Resource.Styleable.RecyclerView_stackFromEnd = global::LiveHTS.Droid.Resource.Styleable.RecyclerView_stackFromEnd;
global::com.refractored.Resource.Animation.abc_fade_in = global::LiveHTS.Droid.Resource.Animation.abc_fade_in;
global::com.refractored.Resource.Animation.abc_fade_out = global::LiveHTS.Droid.Resource.Animation.abc_fade_out;
global::com.refractored.Resource.Animation.abc_grow_fade_in_from_bottom = global::LiveHTS.Droid.Resource.Animation.abc_grow_fade_in_from_bottom;
global::com.refractored.Resource.Animation.abc_popup_enter = global::LiveHTS.Droid.Resource.Animation.abc_popup_enter;
global::com.refractored.Resource.Animation.abc_popup_exit = global::LiveHTS.Droid.Resource.Animation.abc_popup_exit;
global::com.refractored.Resource.Animation.abc_shrink_fade_out_from_bottom = global::LiveHTS.Droid.Resource.Animation.abc_shrink_fade_out_from_bottom;
global::com.refractored.Resource.Animation.abc_slide_in_bottom = global::LiveHTS.Droid.Resource.Animation.abc_slide_in_bottom;
global::com.refractored.Resource.Animation.abc_slide_in_top = global::LiveHTS.Droid.Resource.Animation.abc_slide_in_top;
global::com.refractored.Resource.Animation.abc_slide_out_bottom = global::LiveHTS.Droid.Resource.Animation.abc_slide_out_bottom;
global::com.refractored.Resource.Animation.abc_slide_out_top = global::LiveHTS.Droid.Resource.Animation.abc_slide_out_top;
global::com.refractored.Resource.Attribute.actionBarDivider = global::LiveHTS.Droid.Resource.Attribute.actionBarDivider;
global::com.refractored.Resource.Attribute.actionBarItemBackground = global::LiveHTS.Droid.Resource.Attribute.actionBarItemBackground;
global::com.refractored.Resource.Attribute.actionBarPopupTheme = global::LiveHTS.Droid.Resource.Attribute.actionBarPopupTheme;
global::com.refractored.Resource.Attribute.actionBarSize = global::LiveHTS.Droid.Resource.Attribute.actionBarSize;
global::com.refractored.Resource.Attribute.actionBarSplitStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarSplitStyle;
global::com.refractored.Resource.Attribute.actionBarStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarStyle;
global::com.refractored.Resource.Attribute.actionBarTabBarStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarTabBarStyle;
global::com.refractored.Resource.Attribute.actionBarTabStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarTabStyle;
global::com.refractored.Resource.Attribute.actionBarTabTextStyle = global::LiveHTS.Droid.Resource.Attribute.actionBarTabTextStyle;
global::com.refractored.Resource.Attribute.actionBarTheme = global::LiveHTS.Droid.Resource.Attribute.actionBarTheme;
global::com.refractored.Resource.Attribute.actionBarWidgetTheme = global::LiveHTS.Droid.Resource.Attribute.actionBarWidgetTheme;
global::com.refractored.Resource.Attribute.actionButtonStyle = global::LiveHTS.Droid.Resource.Attribute.actionButtonStyle;
global::com.refractored.Resource.Attribute.actionDropDownStyle = global::LiveHTS.Droid.Resource.Attribute.actionDropDownStyle;
global::com.refractored.Resource.Attribute.actionLayout = global::LiveHTS.Droid.Resource.Attribute.actionLayout;
global::com.refractored.Resource.Attribute.actionMenuTextAppearance = global::LiveHTS.Droid.Resource.Attribute.actionMenuTextAppearance;
global::com.refractored.Resource.Attribute.actionMenuTextColor = global::LiveHTS.Droid.Resource.Attribute.actionMenuTextColor;
global::com.refractored.Resource.Attribute.actionModeBackground = global::LiveHTS.Droid.Resource.Attribute.actionModeBackground;
global::com.refractored.Resource.Attribute.actionModeCloseButtonStyle = global::LiveHTS.Droid.Resource.Attribute.actionModeCloseButtonStyle;
global::com.refractored.Resource.Attribute.actionModeCloseDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeCloseDrawable;
global::com.refractored.Resource.Attribute.actionModeCopyDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeCopyDrawable;
global::com.refractored.Resource.Attribute.actionModeCutDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeCutDrawable;
global::com.refractored.Resource.Attribute.actionModeFindDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeFindDrawable;
global::com.refractored.Resource.Attribute.actionModePasteDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModePasteDrawable;
global::com.refractored.Resource.Attribute.actionModePopupWindowStyle = global::LiveHTS.Droid.Resource.Attribute.actionModePopupWindowStyle;
global::com.refractored.Resource.Attribute.actionModeSelectAllDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeSelectAllDrawable;
global::com.refractored.Resource.Attribute.actionModeShareDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeShareDrawable;
global::com.refractored.Resource.Attribute.actionModeSplitBackground = global::LiveHTS.Droid.Resource.Attribute.actionModeSplitBackground;
global::com.refractored.Resource.Attribute.actionModeStyle = global::LiveHTS.Droid.Resource.Attribute.actionModeStyle;
global::com.refractored.Resource.Attribute.actionModeWebSearchDrawable = global::LiveHTS.Droid.Resource.Attribute.actionModeWebSearchDrawable;
global::com.refractored.Resource.Attribute.actionOverflowButtonStyle = global::LiveHTS.Droid.Resource.Attribute.actionOverflowButtonStyle;
global::com.refractored.Resource.Attribute.actionOverflowMenuStyle = global::LiveHTS.Droid.Resource.Attribute.actionOverflowMenuStyle;
global::com.refractored.Resource.Attribute.actionProviderClass = global::LiveHTS.Droid.Resource.Attribute.actionProviderClass;
global::com.refractored.Resource.Attribute.actionViewClass = global::LiveHTS.Droid.Resource.Attribute.actionViewClass;
global::com.refractored.Resource.Attribute.activityChooserViewStyle = global::LiveHTS.Droid.Resource.Attribute.activityChooserViewStyle;
global::com.refractored.Resource.Attribute.alertDialogButtonGroupStyle = global::LiveHTS.Droid.Resource.Attribute.alertDialogButtonGroupStyle;
global::com.refractored.Resource.Attribute.alertDialogCenterButtons = global::LiveHTS.Droid.Resource.Attribute.alertDialogCenterButtons;
global::com.refractored.Resource.Attribute.alertDialogStyle = global::LiveHTS.Droid.Resource.Attribute.alertDialogStyle;
global::com.refractored.Resource.Attribute.alertDialogTheme = global::LiveHTS.Droid.Resource.Attribute.alertDialogTheme;
global::com.refractored.Resource.Attribute.allowStacking = global::LiveHTS.Droid.Resource.Attribute.allowStacking;
global::com.refractored.Resource.Attribute.arrowHeadLength = global::LiveHTS.Droid.Resource.Attribute.arrowHeadLength;
global::com.refractored.Resource.Attribute.arrowShaftLength = global::LiveHTS.Droid.Resource.Attribute.arrowShaftLength;
global::com.refractored.Resource.Attribute.autoCompleteTextViewStyle = global::LiveHTS.Droid.Resource.Attribute.autoCompleteTextViewStyle;
global::com.refractored.Resource.Attribute.background = global::LiveHTS.Droid.Resource.Attribute.background;
global::com.refractored.Resource.Attribute.backgroundSplit = global::LiveHTS.Droid.Resource.Attribute.backgroundSplit;
global::com.refractored.Resource.Attribute.backgroundStacked = global::LiveHTS.Droid.Resource.Attribute.backgroundStacked;
global::com.refractored.Resource.Attribute.backgroundTint = global::LiveHTS.Droid.Resource.Attribute.backgroundTint;
global::com.refractored.Resource.Attribute.backgroundTintMode = global::LiveHTS.Droid.Resource.Attribute.backgroundTintMode;
global::com.refractored.Resource.Attribute.barLength = global::LiveHTS.Droid.Resource.Attribute.barLength;
global::com.refractored.Resource.Attribute.borderlessButtonStyle = global::LiveHTS.Droid.Resource.Attribute.borderlessButtonStyle;
global::com.refractored.Resource.Attribute.buttonBarButtonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarButtonStyle;
global::com.refractored.Resource.Attribute.buttonBarNegativeButtonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarNegativeButtonStyle;
global::com.refractored.Resource.Attribute.buttonBarNeutralButtonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarNeutralButtonStyle;
global::com.refractored.Resource.Attribute.buttonBarPositiveButtonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarPositiveButtonStyle;
global::com.refractored.Resource.Attribute.buttonBarStyle = global::LiveHTS.Droid.Resource.Attribute.buttonBarStyle;
global::com.refractored.Resource.Attribute.buttonPanelSideLayout = global::LiveHTS.Droid.Resource.Attribute.buttonPanelSideLayout;
global::com.refractored.Resource.Attribute.buttonStyle = global::LiveHTS.Droid.Resource.Attribute.buttonStyle;
global::com.refractored.Resource.Attribute.buttonStyleSmall = global::LiveHTS.Droid.Resource.Attribute.buttonStyleSmall;
global::com.refractored.Resource.Attribute.buttonTint = global::LiveHTS.Droid.Resource.Attribute.buttonTint;
global::com.refractored.Resource.Attribute.buttonTintMode = global::LiveHTS.Droid.Resource.Attribute.buttonTintMode;
global::com.refractored.Resource.Attribute.checkboxStyle = global::LiveHTS.Droid.Resource.Attribute.checkboxStyle;
global::com.refractored.Resource.Attribute.checkedTextViewStyle = global::LiveHTS.Droid.Resource.Attribute.checkedTextViewStyle;
global::com.refractored.Resource.Attribute.closeIcon = global::LiveHTS.Droid.Resource.Attribute.closeIcon;
global::com.refractored.Resource.Attribute.closeItemLayout = global::LiveHTS.Droid.Resource.Attribute.closeItemLayout;
global::com.refractored.Resource.Attribute.collapseContentDescription = global::LiveHTS.Droid.Resource.Attribute.collapseContentDescription;
global::com.refractored.Resource.Attribute.collapseIcon = global::LiveHTS.Droid.Resource.Attribute.collapseIcon;
global::com.refractored.Resource.Attribute.color = global::LiveHTS.Droid.Resource.Attribute.color;
global::com.refractored.Resource.Attribute.colorAccent = global::LiveHTS.Droid.Resource.Attribute.colorAccent;
global::com.refractored.Resource.Attribute.colorButtonNormal = global::LiveHTS.Droid.Resource.Attribute.colorButtonNormal;
global::com.refractored.Resource.Attribute.colorControlActivated = global::LiveHTS.Droid.Resource.Attribute.colorControlActivated;
global::com.refractored.Resource.Attribute.colorControlHighlight = global::LiveHTS.Droid.Resource.Attribute.colorControlHighlight;
global::com.refractored.Resource.Attribute.colorControlNormal = global::LiveHTS.Droid.Resource.Attribute.colorControlNormal;
global::com.refractored.Resource.Attribute.colorPrimary = global::LiveHTS.Droid.Resource.Attribute.colorPrimary;
global::com.refractored.Resource.Attribute.colorPrimaryDark = global::LiveHTS.Droid.Resource.Attribute.colorPrimaryDark;
global::com.refractored.Resource.Attribute.colorSwitchThumbNormal = global::LiveHTS.Droid.Resource.Attribute.colorSwitchThumbNormal;
global::com.refractored.Resource.Attribute.commitIcon = global::LiveHTS.Droid.Resource.Attribute.commitIcon;
global::com.refractored.Resource.Attribute.contentInsetEnd = global::LiveHTS.Droid.Resource.Attribute.contentInsetEnd;
global::com.refractored.Resource.Attribute.contentInsetLeft = global::LiveHTS.Droid.Resource.Attribute.contentInsetLeft;
global::com.refractored.Resource.Attribute.contentInsetRight = global::LiveHTS.Droid.Resource.Attribute.contentInsetRight;
global::com.refractored.Resource.Attribute.contentInsetStart = global::LiveHTS.Droid.Resource.Attribute.contentInsetStart;
global::com.refractored.Resource.Attribute.controlBackground = global::LiveHTS.Droid.Resource.Attribute.controlBackground;
global::com.refractored.Resource.Attribute.customNavigationLayout = global::LiveHTS.Droid.Resource.Attribute.customNavigationLayout;
global::com.refractored.Resource.Attribute.defaultQueryHint = global::LiveHTS.Droid.Resource.Attribute.defaultQueryHint;
global::com.refractored.Resource.Attribute.dialogPreferredPadding = global::LiveHTS.Droid.Resource.Attribute.dialogPreferredPadding;
global::com.refractored.Resource.Attribute.dialogTheme = global::LiveHTS.Droid.Resource.Attribute.dialogTheme;
global::com.refractored.Resource.Attribute.displayOptions = global::LiveHTS.Droid.Resource.Attribute.displayOptions;
global::com.refractored.Resource.Attribute.divider = global::LiveHTS.Droid.Resource.Attribute.divider;
global::com.refractored.Resource.Attribute.dividerHorizontal = global::LiveHTS.Droid.Resource.Attribute.dividerHorizontal;
global::com.refractored.Resource.Attribute.dividerPadding = global::LiveHTS.Droid.Resource.Attribute.dividerPadding;
global::com.refractored.Resource.Attribute.dividerVertical = global::LiveHTS.Droid.Resource.Attribute.dividerVertical;
global::com.refractored.Resource.Attribute.drawableSize = global::LiveHTS.Droid.Resource.Attribute.drawableSize;
global::com.refractored.Resource.Attribute.drawerArrowStyle = global::LiveHTS.Droid.Resource.Attribute.drawerArrowStyle;
global::com.refractored.Resource.Attribute.dropDownListViewStyle = global::LiveHTS.Droid.Resource.Attribute.dropDownListViewStyle;
global::com.refractored.Resource.Attribute.dropdownListPreferredItemHeight = global::LiveHTS.Droid.Resource.Attribute.dropdownListPreferredItemHeight;
global::com.refractored.Resource.Attribute.editTextBackground = global::LiveHTS.Droid.Resource.Attribute.editTextBackground;
global::com.refractored.Resource.Attribute.editTextColor = global::LiveHTS.Droid.Resource.Attribute.editTextColor;
global::com.refractored.Resource.Attribute.editTextStyle = global::LiveHTS.Droid.Resource.Attribute.editTextStyle;
global::com.refractored.Resource.Attribute.elevation = global::LiveHTS.Droid.Resource.Attribute.elevation;
global::com.refractored.Resource.Attribute.expandActivityOverflowButtonDrawable = global::LiveHTS.Droid.Resource.Attribute.expandActivityOverflowButtonDrawable;
global::com.refractored.Resource.Attribute.gapBetweenBars = global::LiveHTS.Droid.Resource.Attribute.gapBetweenBars;
global::com.refractored.Resource.Attribute.goIcon = global::LiveHTS.Droid.Resource.Attribute.goIcon;
global::com.refractored.Resource.Attribute.height = global::LiveHTS.Droid.Resource.Attribute.height;
global::com.refractored.Resource.Attribute.hideOnContentScroll = global::LiveHTS.Droid.Resource.Attribute.hideOnContentScroll;
global::com.refractored.Resource.Attribute.homeAsUpIndicator = global::LiveHTS.Droid.Resource.Attribute.homeAsUpIndicator;
global::com.refractored.Resource.Attribute.homeLayout = global::LiveHTS.Droid.Resource.Attribute.homeLayout;
global::com.refractored.Resource.Attribute.icon = global::LiveHTS.Droid.Resource.Attribute.icon;
global::com.refractored.Resource.Attribute.iconifiedByDefault = global::LiveHTS.Droid.Resource.Attribute.iconifiedByDefault;
global::com.refractored.Resource.Attribute.imageButtonStyle = global::LiveHTS.Droid.Resource.Attribute.imageButtonStyle;
global::com.refractored.Resource.Attribute.indeterminateProgressStyle = global::LiveHTS.Droid.Resource.Attribute.indeterminateProgressStyle;
global::com.refractored.Resource.Attribute.initialActivityCount = global::LiveHTS.Droid.Resource.Attribute.initialActivityCount;
global::com.refractored.Resource.Attribute.isLightTheme = global::LiveHTS.Droid.Resource.Attribute.isLightTheme;
global::com.refractored.Resource.Attribute.itemPadding = global::LiveHTS.Droid.Resource.Attribute.itemPadding;
global::com.refractored.Resource.Attribute.layout = global::LiveHTS.Droid.Resource.Attribute.layout;
global::com.refractored.Resource.Attribute.listChoiceBackgroundIndicator = global::LiveHTS.Droid.Resource.Attribute.listChoiceBackgroundIndicator;
global::com.refractored.Resource.Attribute.listDividerAlertDialog = global::LiveHTS.Droid.Resource.Attribute.listDividerAlertDialog;
global::com.refractored.Resource.Attribute.listItemLayout = global::LiveHTS.Droid.Resource.Attribute.listItemLayout;
global::com.refractored.Resource.Attribute.listLayout = global::LiveHTS.Droid.Resource.Attribute.listLayout;
global::com.refractored.Resource.Attribute.listPopupWindowStyle = global::LiveHTS.Droid.Resource.Attribute.listPopupWindowStyle;
global::com.refractored.Resource.Attribute.listPreferredItemHeight = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemHeight;
global::com.refractored.Resource.Attribute.listPreferredItemHeightLarge = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemHeightLarge;
global::com.refractored.Resource.Attribute.listPreferredItemHeightSmall = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemHeightSmall;
global::com.refractored.Resource.Attribute.listPreferredItemPaddingLeft = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemPaddingLeft;
global::com.refractored.Resource.Attribute.listPreferredItemPaddingRight = global::LiveHTS.Droid.Resource.Attribute.listPreferredItemPaddingRight;
global::com.refractored.Resource.Attribute.logo = global::LiveHTS.Droid.Resource.Attribute.logo;
global::com.refractored.Resource.Attribute.logoDescription = global::LiveHTS.Droid.Resource.Attribute.logoDescription;
global::com.refractored.Resource.Attribute.maxButtonHeight = global::LiveHTS.Droid.Resource.Attribute.maxButtonHeight;
global::com.refractored.Resource.Attribute.measureWithLargestChild = global::LiveHTS.Droid.Resource.Attribute.measureWithLargestChild;
global::com.refractored.Resource.Attribute.multiChoiceItemLayout = global::LiveHTS.Droid.Resource.Attribute.multiChoiceItemLayout;
global::com.refractored.Resource.Attribute.navigationContentDescription = global::LiveHTS.Droid.Resource.Attribute.navigationContentDescription;
global::com.refractored.Resource.Attribute.navigationIcon = global::LiveHTS.Droid.Resource.Attribute.navigationIcon;
global::com.refractored.Resource.Attribute.navigationMode = global::LiveHTS.Droid.Resource.Attribute.navigationMode;
global::com.refractored.Resource.Attribute.overlapAnchor = global::LiveHTS.Droid.Resource.Attribute.overlapAnchor;
global::com.refractored.Resource.Attribute.paddingEnd = global::LiveHTS.Droid.Resource.Attribute.paddingEnd;
global::com.refractored.Resource.Attribute.paddingStart = global::LiveHTS.Droid.Resource.Attribute.paddingStart;
global::com.refractored.Resource.Attribute.panelBackground = global::LiveHTS.Droid.Resource.Attribute.panelBackground;
global::com.refractored.Resource.Attribute.panelMenuListTheme = global::LiveHTS.Droid.Resource.Attribute.panelMenuListTheme;
global::com.refractored.Resource.Attribute.panelMenuListWidth = global::LiveHTS.Droid.Resource.Attribute.panelMenuListWidth;
global::com.refractored.Resource.Attribute.popupMenuStyle = global::LiveHTS.Droid.Resource.Attribute.popupMenuStyle;
global::com.refractored.Resource.Attribute.popupTheme = global::LiveHTS.Droid.Resource.Attribute.popupTheme;
global::com.refractored.Resource.Attribute.popupWindowStyle = global::LiveHTS.Droid.Resource.Attribute.popupWindowStyle;
global::com.refractored.Resource.Attribute.preserveIconSpacing = global::LiveHTS.Droid.Resource.Attribute.preserveIconSpacing;
global::com.refractored.Resource.Attribute.progressBarPadding = global::LiveHTS.Droid.Resource.Attribute.progressBarPadding;
global::com.refractored.Resource.Attribute.progressBarStyle = global::LiveHTS.Droid.Resource.Attribute.progressBarStyle;
global::com.refractored.Resource.Attribute.pstsDividerColor = global::LiveHTS.Droid.Resource.Attribute.pstsDividerColor;
global::com.refractored.Resource.Attribute.pstsDividerPadding = global::LiveHTS.Droid.Resource.Attribute.pstsDividerPadding;
global::com.refractored.Resource.Attribute.pstsDividerWidth = global::LiveHTS.Droid.Resource.Attribute.pstsDividerWidth;
global::com.refractored.Resource.Attribute.pstsIndicatorColor = global::LiveHTS.Droid.Resource.Attribute.pstsIndicatorColor;
global::com.refractored.Resource.Attribute.pstsIndicatorHeight = global::LiveHTS.Droid.Resource.Attribute.pstsIndicatorHeight;
global::com.refractored.Resource.Attribute.pstsPaddingMiddle = global::LiveHTS.Droid.Resource.Attribute.pstsPaddingMiddle;
global::com.refractored.Resource.Attribute.pstsScrollOffset = global::LiveHTS.Droid.Resource.Attribute.pstsScrollOffset;
global::com.refractored.Resource.Attribute.pstsShouldExpand = global::LiveHTS.Droid.Resource.Attribute.pstsShouldExpand;
global::com.refractored.Resource.Attribute.pstsTabBackground = global::LiveHTS.Droid.Resource.Attribute.pstsTabBackground;
global::com.refractored.Resource.Attribute.pstsTabPaddingLeftRight = global::LiveHTS.Droid.Resource.Attribute.pstsTabPaddingLeftRight;
global::com.refractored.Resource.Attribute.pstsTextAllCaps = global::LiveHTS.Droid.Resource.Attribute.pstsTextAllCaps;
global::com.refractored.Resource.Attribute.pstsTextAlpha = global::LiveHTS.Droid.Resource.Attribute.pstsTextAlpha;
global::com.refractored.Resource.Attribute.pstsTextColorSelected = global::LiveHTS.Droid.Resource.Attribute.pstsTextColorSelected;
global::com.refractored.Resource.Attribute.pstsTextSelectedStyle = global::LiveHTS.Droid.Resource.Attribute.pstsTextSelectedStyle;
global::com.refractored.Resource.Attribute.pstsTextStyle = global::LiveHTS.Droid.Resource.Attribute.pstsTextStyle;
global::com.refractored.Resource.Attribute.pstsUnderlineColor = global::LiveHTS.Droid.Resource.Attribute.pstsUnderlineColor;
global::com.refractored.Resource.Attribute.pstsUnderlineHeight = global::LiveHTS.Droid.Resource.Attribute.pstsUnderlineHeight;
global::com.refractored.Resource.Attribute.queryBackground = global::LiveHTS.Droid.Resource.Attribute.queryBackground;
global::com.refractored.Resource.Attribute.queryHint = global::LiveHTS.Droid.Resource.Attribute.queryHint;
global::com.refractored.Resource.Attribute.radioButtonStyle = global::LiveHTS.Droid.Resource.Attribute.radioButtonStyle;
global::com.refractored.Resource.Attribute.ratingBarStyle = global::LiveHTS.Droid.Resource.Attribute.ratingBarStyle;
global::com.refractored.Resource.Attribute.ratingBarStyleIndicator = global::LiveHTS.Droid.Resource.Attribute.ratingBarStyleIndicator;
global::com.refractored.Resource.Attribute.ratingBarStyleSmall = global::LiveHTS.Droid.Resource.Attribute.ratingBarStyleSmall;
global::com.refractored.Resource.Attribute.searchHintIcon = global::LiveHTS.Droid.Resource.Attribute.searchHintIcon;
global::com.refractored.Resource.Attribute.searchIcon = global::LiveHTS.Droid.Resource.Attribute.searchIcon;
global::com.refractored.Resource.Attribute.searchViewStyle = global::LiveHTS.Droid.Resource.Attribute.searchViewStyle;
global::com.refractored.Resource.Attribute.seekBarStyle = global::LiveHTS.Droid.Resource.Attribute.seekBarStyle;
global::com.refractored.Resource.Attribute.selectableItemBackground = global::LiveHTS.Droid.Resource.Attribute.selectableItemBackground;
global::com.refractored.Resource.Attribute.selectableItemBackgroundBorderless = global::LiveHTS.Droid.Resource.Attribute.selectableItemBackgroundBorderless;
global::com.refractored.Resource.Attribute.showAsAction = global::LiveHTS.Droid.Resource.Attribute.showAsAction;
global::com.refractored.Resource.Attribute.showDividers = global::LiveHTS.Droid.Resource.Attribute.showDividers;
global::com.refractored.Resource.Attribute.showText = global::LiveHTS.Droid.Resource.Attribute.showText;
global::com.refractored.Resource.Attribute.singleChoiceItemLayout = global::LiveHTS.Droid.Resource.Attribute.singleChoiceItemLayout;
global::com.refractored.Resource.Attribute.spinBars = global::LiveHTS.Droid.Resource.Attribute.spinBars;
global::com.refractored.Resource.Attribute.spinnerDropDownItemStyle = global::LiveHTS.Droid.Resource.Attribute.spinnerDropDownItemStyle;
global::com.refractored.Resource.Attribute.spinnerStyle = global::LiveHTS.Droid.Resource.Attribute.spinnerStyle;
global::com.refractored.Resource.Attribute.splitTrack = global::LiveHTS.Droid.Resource.Attribute.splitTrack;
global::com.refractored.Resource.Attribute.srcCompat = global::LiveHTS.Droid.Resource.Attribute.srcCompat;
global::com.refractored.Resource.Attribute.state_above_anchor = global::LiveHTS.Droid.Resource.Attribute.state_above_anchor;
global::com.refractored.Resource.Attribute.submitBackground = global::LiveHTS.Droid.Resource.Attribute.submitBackground;
global::com.refractored.Resource.Attribute.subtitle = global::LiveHTS.Droid.Resource.Attribute.subtitle;
global::com.refractored.Resource.Attribute.subtitleTextAppearance = global::LiveHTS.Droid.Resource.Attribute.subtitleTextAppearance;
global::com.refractored.Resource.Attribute.subtitleTextColor = global::LiveHTS.Droid.Resource.Attribute.subtitleTextColor;
global::com.refractored.Resource.Attribute.subtitleTextStyle = global::LiveHTS.Droid.Resource.Attribute.subtitleTextStyle;
global::com.refractored.Resource.Attribute.suggestionRowLayout = global::LiveHTS.Droid.Resource.Attribute.suggestionRowLayout;
global::com.refractored.Resource.Attribute.switchMinWidth = global::LiveHTS.Droid.Resource.Attribute.switchMinWidth;
global::com.refractored.Resource.Attribute.switchPadding = global::LiveHTS.Droid.Resource.Attribute.switchPadding;
global::com.refractored.Resource.Attribute.switchStyle = global::LiveHTS.Droid.Resource.Attribute.switchStyle;
global::com.refractored.Resource.Attribute.switchTextAppearance = global::LiveHTS.Droid.Resource.Attribute.switchTextAppearance;
global::com.refractored.Resource.Attribute.textAllCaps = global::LiveHTS.Droid.Resource.Attribute.textAllCaps;
global::com.refractored.Resource.Attribute.textAppearanceLargePopupMenu = global::LiveHTS.Droid.Resource.Attribute.textAppearanceLargePopupMenu;
global::com.refractored.Resource.Attribute.textAppearanceListItem = global::LiveHTS.Droid.Resource.Attribute.textAppearanceListItem;
global::com.refractored.Resource.Attribute.textAppearanceListItemSmall = global::LiveHTS.Droid.Resource.Attribute.textAppearanceListItemSmall;
global::com.refractored.Resource.Attribute.textAppearanceSearchResultSubtitle = global::LiveHTS.Droid.Resource.Attribute.textAppearanceSearchResultSubtitle;
global::com.refractored.Resource.Attribute.textAppearanceSearchResultTitle = global::LiveHTS.Droid.Resource.Attribute.textAppearanceSearchResultTitle;
global::com.refractored.Resource.Attribute.textAppearanceSmallPopupMenu = global::LiveHTS.Droid.Resource.Attribute.textAppearanceSmallPopupMenu;
global::com.refractored.Resource.Attribute.textColorAlertDialogListItem = global::LiveHTS.Droid.Resource.Attribute.textColorAlertDialogListItem;
global::com.refractored.Resource.Attribute.textColorSearchUrl = global::LiveHTS.Droid.Resource.Attribute.textColorSearchUrl;
global::com.refractored.Resource.Attribute.theme = global::LiveHTS.Droid.Resource.Attribute.theme;
global::com.refractored.Resource.Attribute.thickness = global::LiveHTS.Droid.Resource.Attribute.thickness;
global::com.refractored.Resource.Attribute.thumbTextPadding = global::LiveHTS.Droid.Resource.Attribute.thumbTextPadding;
global::com.refractored.Resource.Attribute.title = global::LiveHTS.Droid.Resource.Attribute.title;
global::com.refractored.Resource.Attribute.titleMarginBottom = global::LiveHTS.Droid.Resource.Attribute.titleMarginBottom;
global::com.refractored.Resource.Attribute.titleMarginEnd = global::LiveHTS.Droid.Resource.Attribute.titleMarginEnd;
global::com.refractored.Resource.Attribute.titleMarginStart = global::LiveHTS.Droid.Resource.Attribute.titleMarginStart;
global::com.refractored.Resource.Attribute.titleMarginTop = global::LiveHTS.Droid.Resource.Attribute.titleMarginTop;
global::com.refractored.Resource.Attribute.titleMargins = global::LiveHTS.Droid.Resource.Attribute.titleMargins;
global::com.refractored.Resource.Attribute.titleTextAppearance = global::LiveHTS.Droid.Resource.Attribute.titleTextAppearance;
global::com.refractored.Resource.Attribute.titleTextColor = global::LiveHTS.Droid.Resource.Attribute.titleTextColor;
global::com.refractored.Resource.Attribute.titleTextStyle = global::LiveHTS.Droid.Resource.Attribute.titleTextStyle;
global::com.refractored.Resource.Attribute.toolbarNavigationButtonStyle = global::LiveHTS.Droid.Resource.Attribute.toolbarNavigationButtonStyle;
global::com.refractored.Resource.Attribute.toolbarStyle = global::LiveHTS.Droid.Resource.Attribute.toolbarStyle;
global::com.refractored.Resource.Attribute.track = global::LiveHTS.Droid.Resource.Attribute.track;
global::com.refractored.Resource.Attribute.voiceIcon = global::LiveHTS.Droid.Resource.Attribute.voiceIcon;
global::com.refractored.Resource.Attribute.windowActionBar = global::LiveHTS.Droid.Resource.Attribute.windowActionBar;
global::com.refractored.Resource.Attribute.windowActionBarOverlay = global::LiveHTS.Droid.Resource.Attribute.windowActionBarOverlay;
global::com.refractored.Resource.Attribute.windowActionModeOverlay = global::LiveHTS.Droid.Resource.Attribute.windowActionModeOverlay;
global::com.refractored.Resource.Attribute.windowFixedHeightMajor = global::LiveHTS.Droid.Resource.Attribute.windowFixedHeightMajor;
global::com.refractored.Resource.Attribute.windowFixedHeightMinor = global::LiveHTS.Droid.Resource.Attribute.windowFixedHeightMinor;
global::com.refractored.Resource.Attribute.windowFixedWidthMajor = global::LiveHTS.Droid.Resource.Attribute.windowFixedWidthMajor;
global::com.refractored.Resource.Attribute.windowFixedWidthMinor = global::LiveHTS.Droid.Resource.Attribute.windowFixedWidthMinor;
global::com.refractored.Resource.Attribute.windowMinWidthMajor = global::LiveHTS.Droid.Resource.Attribute.windowMinWidthMajor;
global::com.refractored.Resource.Attribute.windowMinWidthMinor = global::LiveHTS.Droid.Resource.Attribute.windowMinWidthMinor;
global::com.refractored.Resource.Attribute.windowNoTitle = global::LiveHTS.Droid.Resource.Attribute.windowNoTitle;
global::com.refractored.Resource.Boolean.abc_action_bar_embed_tabs = global::LiveHTS.Droid.Resource.Boolean.abc_action_bar_embed_tabs;
global::com.refractored.Resource.Boolean.abc_allow_stacked_button_bar = global::LiveHTS.Droid.Resource.Boolean.abc_allow_stacked_button_bar;
global::com.refractored.Resource.Boolean.abc_config_actionMenuItemAllCaps = global::LiveHTS.Droid.Resource.Boolean.abc_config_actionMenuItemAllCaps;
global::com.refractored.Resource.Boolean.abc_config_closeDialogWhenTouchOutside = global::LiveHTS.Droid.Resource.Boolean.abc_config_closeDialogWhenTouchOutside;
global::com.refractored.Resource.Boolean.abc_config_showMenuShortcutsWhenKeyboardPresent = global::LiveHTS.Droid.Resource.Boolean.abc_config_showMenuShortcutsWhenKeyboardPresent;
global::com.refractored.Resource.Color.abc_background_cache_hint_selector_material_dark = global::LiveHTS.Droid.Resource.Color.abc_background_cache_hint_selector_material_dark;
global::com.refractored.Resource.Color.abc_background_cache_hint_selector_material_light = global::LiveHTS.Droid.Resource.Color.abc_background_cache_hint_selector_material_light;
global::com.refractored.Resource.Color.abc_color_highlight_material = global::LiveHTS.Droid.Resource.Color.abc_color_highlight_material;
global::com.refractored.Resource.Color.abc_input_method_navigation_guard = global::LiveHTS.Droid.Resource.Color.abc_input_method_navigation_guard;
global::com.refractored.Resource.Color.abc_primary_text_disable_only_material_dark = global::LiveHTS.Droid.Resource.Color.abc_primary_text_disable_only_material_dark;
global::com.refractored.Resource.Color.abc_primary_text_disable_only_material_light = global::LiveHTS.Droid.Resource.Color.abc_primary_text_disable_only_material_light;
global::com.refractored.Resource.Color.abc_primary_text_material_dark = global::LiveHTS.Droid.Resource.Color.abc_primary_text_material_dark;
global::com.refractored.Resource.Color.abc_primary_text_material_light = global::LiveHTS.Droid.Resource.Color.abc_primary_text_material_light;
global::com.refractored.Resource.Color.abc_search_url_text = global::LiveHTS.Droid.Resource.Color.abc_search_url_text;
global::com.refractored.Resource.Color.abc_search_url_text_normal = global::LiveHTS.Droid.Resource.Color.abc_search_url_text_normal;
global::com.refractored.Resource.Color.abc_search_url_text_pressed = global::LiveHTS.Droid.Resource.Color.abc_search_url_text_pressed;
global::com.refractored.Resource.Color.abc_search_url_text_selected = global::LiveHTS.Droid.Resource.Color.abc_search_url_text_selected;
global::com.refractored.Resource.Color.abc_secondary_text_material_dark = global::LiveHTS.Droid.Resource.Color.abc_secondary_text_material_dark;
global::com.refractored.Resource.Color.abc_secondary_text_material_light = global::LiveHTS.Droid.Resource.Color.abc_secondary_text_material_light;
global::com.refractored.Resource.Color.accent_material_dark = global::LiveHTS.Droid.Resource.Color.accent_material_dark;
global::com.refractored.Resource.Color.accent_material_light = global::LiveHTS.Droid.Resource.Color.accent_material_light;
global::com.refractored.Resource.Color.background_floating_material_dark = global::LiveHTS.Droid.Resource.Color.background_floating_material_dark;
global::com.refractored.Resource.Color.background_floating_material_light = global::LiveHTS.Droid.Resource.Color.background_floating_material_light;
global::com.refractored.Resource.Color.background_material_dark = global::LiveHTS.Droid.Resource.Color.background_material_dark;
global::com.refractored.Resource.Color.background_material_light = global::LiveHTS.Droid.Resource.Color.background_material_light;
global::com.refractored.Resource.Color.bright_foreground_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.bright_foreground_disabled_material_dark;
global::com.refractored.Resource.Color.bright_foreground_disabled_material_light = global::LiveHTS.Droid.Resource.Color.bright_foreground_disabled_material_light;
global::com.refractored.Resource.Color.bright_foreground_inverse_material_dark = global::LiveHTS.Droid.Resource.Color.bright_foreground_inverse_material_dark;
global::com.refractored.Resource.Color.bright_foreground_inverse_material_light = global::LiveHTS.Droid.Resource.Color.bright_foreground_inverse_material_light;
global::com.refractored.Resource.Color.bright_foreground_material_dark = global::LiveHTS.Droid.Resource.Color.bright_foreground_material_dark;
global::com.refractored.Resource.Color.bright_foreground_material_light = global::LiveHTS.Droid.Resource.Color.bright_foreground_material_light;
global::com.refractored.Resource.Color.button_material_dark = global::LiveHTS.Droid.Resource.Color.button_material_dark;
global::com.refractored.Resource.Color.button_material_light = global::LiveHTS.Droid.Resource.Color.button_material_light;
global::com.refractored.Resource.Color.dim_foreground_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.dim_foreground_disabled_material_dark;
global::com.refractored.Resource.Color.dim_foreground_disabled_material_light = global::LiveHTS.Droid.Resource.Color.dim_foreground_disabled_material_light;
global::com.refractored.Resource.Color.dim_foreground_material_dark = global::LiveHTS.Droid.Resource.Color.dim_foreground_material_dark;
global::com.refractored.Resource.Color.dim_foreground_material_light = global::LiveHTS.Droid.Resource.Color.dim_foreground_material_light;
global::com.refractored.Resource.Color.foreground_material_dark = global::LiveHTS.Droid.Resource.Color.foreground_material_dark;
global::com.refractored.Resource.Color.foreground_material_light = global::LiveHTS.Droid.Resource.Color.foreground_material_light;
global::com.refractored.Resource.Color.highlighted_text_material_dark = global::LiveHTS.Droid.Resource.Color.highlighted_text_material_dark;
global::com.refractored.Resource.Color.highlighted_text_material_light = global::LiveHTS.Droid.Resource.Color.highlighted_text_material_light;
global::com.refractored.Resource.Color.material_blue_grey_800 = global::LiveHTS.Droid.Resource.Color.material_blue_grey_800;
global::com.refractored.Resource.Color.material_blue_grey_900 = global::LiveHTS.Droid.Resource.Color.material_blue_grey_900;
global::com.refractored.Resource.Color.material_blue_grey_950 = global::LiveHTS.Droid.Resource.Color.material_blue_grey_950;
global::com.refractored.Resource.Color.material_deep_teal_200 = global::LiveHTS.Droid.Resource.Color.material_deep_teal_200;
global::com.refractored.Resource.Color.material_deep_teal_500 = global::LiveHTS.Droid.Resource.Color.material_deep_teal_500;
global::com.refractored.Resource.Color.material_grey_100 = global::LiveHTS.Droid.Resource.Color.material_grey_100;
global::com.refractored.Resource.Color.material_grey_300 = global::LiveHTS.Droid.Resource.Color.material_grey_300;
global::com.refractored.Resource.Color.material_grey_50 = global::LiveHTS.Droid.Resource.Color.material_grey_50;
global::com.refractored.Resource.Color.material_grey_600 = global::LiveHTS.Droid.Resource.Color.material_grey_600;
global::com.refractored.Resource.Color.material_grey_800 = global::LiveHTS.Droid.Resource.Color.material_grey_800;
global::com.refractored.Resource.Color.material_grey_850 = global::LiveHTS.Droid.Resource.Color.material_grey_850;
global::com.refractored.Resource.Color.material_grey_900 = global::LiveHTS.Droid.Resource.Color.material_grey_900;
global::com.refractored.Resource.Color.primary_dark_material_dark = global::LiveHTS.Droid.Resource.Color.primary_dark_material_dark;
global::com.refractored.Resource.Color.primary_dark_material_light = global::LiveHTS.Droid.Resource.Color.primary_dark_material_light;
global::com.refractored.Resource.Color.primary_material_dark = global::LiveHTS.Droid.Resource.Color.primary_material_dark;
global::com.refractored.Resource.Color.primary_material_light = global::LiveHTS.Droid.Resource.Color.primary_material_light;
global::com.refractored.Resource.Color.primary_text_default_material_dark = global::LiveHTS.Droid.Resource.Color.primary_text_default_material_dark;
global::com.refractored.Resource.Color.primary_text_default_material_light = global::LiveHTS.Droid.Resource.Color.primary_text_default_material_light;
global::com.refractored.Resource.Color.primary_text_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.primary_text_disabled_material_dark;
global::com.refractored.Resource.Color.primary_text_disabled_material_light = global::LiveHTS.Droid.Resource.Color.primary_text_disabled_material_light;
global::com.refractored.Resource.Color.psts_background_tab_pressed = global::LiveHTS.Droid.Resource.Color.psts_background_tab_pressed;
global::com.refractored.Resource.Color.ripple_material_dark = global::LiveHTS.Droid.Resource.Color.ripple_material_dark;
global::com.refractored.Resource.Color.ripple_material_light = global::LiveHTS.Droid.Resource.Color.ripple_material_light;
global::com.refractored.Resource.Color.secondary_text_default_material_dark = global::LiveHTS.Droid.Resource.Color.secondary_text_default_material_dark;
global::com.refractored.Resource.Color.secondary_text_default_material_light = global::LiveHTS.Droid.Resource.Color.secondary_text_default_material_light;
global::com.refractored.Resource.Color.secondary_text_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.secondary_text_disabled_material_dark;
global::com.refractored.Resource.Color.secondary_text_disabled_material_light = global::LiveHTS.Droid.Resource.Color.secondary_text_disabled_material_light;
global::com.refractored.Resource.Color.switch_thumb_disabled_material_dark = global::LiveHTS.Droid.Resource.Color.switch_thumb_disabled_material_dark;
global::com.refractored.Resource.Color.switch_thumb_disabled_material_light = global::LiveHTS.Droid.Resource.Color.switch_thumb_disabled_material_light;
global::com.refractored.Resource.Color.switch_thumb_material_dark = global::LiveHTS.Droid.Resource.Color.switch_thumb_material_dark;
global::com.refractored.Resource.Color.switch_thumb_material_light = global::LiveHTS.Droid.Resource.Color.switch_thumb_material_light;
global::com.refractored.Resource.Color.switch_thumb_normal_material_dark = global::LiveHTS.Droid.Resource.Color.switch_thumb_normal_material_dark;
global::com.refractored.Resource.Color.switch_thumb_normal_material_light = global::LiveHTS.Droid.Resource.Color.switch_thumb_normal_material_light;
global::com.refractored.Resource.Dimension.abc_action_bar_content_inset_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_content_inset_material;
global::com.refractored.Resource.Dimension.abc_action_bar_default_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_default_height_material;
global::com.refractored.Resource.Dimension.abc_action_bar_default_padding_end_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_default_padding_end_material;
global::com.refractored.Resource.Dimension.abc_action_bar_default_padding_start_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_default_padding_start_material;
global::com.refractored.Resource.Dimension.abc_action_bar_icon_vertical_padding_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_icon_vertical_padding_material;
global::com.refractored.Resource.Dimension.abc_action_bar_overflow_padding_end_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_overflow_padding_end_material;
global::com.refractored.Resource.Dimension.abc_action_bar_overflow_padding_start_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_overflow_padding_start_material;
global::com.refractored.Resource.Dimension.abc_action_bar_progress_bar_size = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_progress_bar_size;
global::com.refractored.Resource.Dimension.abc_action_bar_stacked_max_height = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_stacked_max_height;
global::com.refractored.Resource.Dimension.abc_action_bar_stacked_tab_max_width = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_stacked_tab_max_width;
global::com.refractored.Resource.Dimension.abc_action_bar_subtitle_bottom_margin_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_subtitle_bottom_margin_material;
global::com.refractored.Resource.Dimension.abc_action_bar_subtitle_top_margin_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_bar_subtitle_top_margin_material;
global::com.refractored.Resource.Dimension.abc_action_button_min_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_button_min_height_material;
global::com.refractored.Resource.Dimension.abc_action_button_min_width_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_button_min_width_material;
global::com.refractored.Resource.Dimension.abc_action_button_min_width_overflow_material = global::LiveHTS.Droid.Resource.Dimension.abc_action_button_min_width_overflow_material;
global::com.refractored.Resource.Dimension.abc_alert_dialog_button_bar_height = global::LiveHTS.Droid.Resource.Dimension.abc_alert_dialog_button_bar_height;
global::com.refractored.Resource.Dimension.abc_button_inset_horizontal_material = global::LiveHTS.Droid.Resource.Dimension.abc_button_inset_horizontal_material;
global::com.refractored.Resource.Dimension.abc_button_inset_vertical_material = global::LiveHTS.Droid.Resource.Dimension.abc_button_inset_vertical_material;
global::com.refractored.Resource.Dimension.abc_button_padding_horizontal_material = global::LiveHTS.Droid.Resource.Dimension.abc_button_padding_horizontal_material;
global::com.refractored.Resource.Dimension.abc_button_padding_vertical_material = global::LiveHTS.Droid.Resource.Dimension.abc_button_padding_vertical_material;
global::com.refractored.Resource.Dimension.abc_config_prefDialogWidth = global::LiveHTS.Droid.Resource.Dimension.abc_config_prefDialogWidth;
global::com.refractored.Resource.Dimension.abc_control_corner_material = global::LiveHTS.Droid.Resource.Dimension.abc_control_corner_material;
global::com.refractored.Resource.Dimension.abc_control_inset_material = global::LiveHTS.Droid.Resource.Dimension.abc_control_inset_material;
global::com.refractored.Resource.Dimension.abc_control_padding_material = global::LiveHTS.Droid.Resource.Dimension.abc_control_padding_material;
global::com.refractored.Resource.Dimension.abc_dialog_fixed_height_major = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_fixed_height_major;
global::com.refractored.Resource.Dimension.abc_dialog_fixed_height_minor = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_fixed_height_minor;
global::com.refractored.Resource.Dimension.abc_dialog_fixed_width_major = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_fixed_width_major;
global::com.refractored.Resource.Dimension.abc_dialog_fixed_width_minor = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_fixed_width_minor;
global::com.refractored.Resource.Dimension.abc_dialog_min_width_major = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_min_width_major;
global::com.refractored.Resource.Dimension.abc_dialog_min_width_minor = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_min_width_minor;
global::com.refractored.Resource.Dimension.abc_dialog_padding_material = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_padding_material;
global::com.refractored.Resource.Dimension.abc_dialog_padding_top_material = global::LiveHTS.Droid.Resource.Dimension.abc_dialog_padding_top_material;
global::com.refractored.Resource.Dimension.abc_disabled_alpha_material_dark = global::LiveHTS.Droid.Resource.Dimension.abc_disabled_alpha_material_dark;
global::com.refractored.Resource.Dimension.abc_disabled_alpha_material_light = global::LiveHTS.Droid.Resource.Dimension.abc_disabled_alpha_material_light;
global::com.refractored.Resource.Dimension.abc_dropdownitem_icon_width = global::LiveHTS.Droid.Resource.Dimension.abc_dropdownitem_icon_width;
global::com.refractored.Resource.Dimension.abc_dropdownitem_text_padding_left = global::LiveHTS.Droid.Resource.Dimension.abc_dropdownitem_text_padding_left;
global::com.refractored.Resource.Dimension.abc_dropdownitem_text_padding_right = global::LiveHTS.Droid.Resource.Dimension.abc_dropdownitem_text_padding_right;
global::com.refractored.Resource.Dimension.abc_edit_text_inset_bottom_material = global::LiveHTS.Droid.Resource.Dimension.abc_edit_text_inset_bottom_material;
global::com.refractored.Resource.Dimension.abc_edit_text_inset_horizontal_material = global::LiveHTS.Droid.Resource.Dimension.abc_edit_text_inset_horizontal_material;
global::com.refractored.Resource.Dimension.abc_edit_text_inset_top_material = global::LiveHTS.Droid.Resource.Dimension.abc_edit_text_inset_top_material;
global::com.refractored.Resource.Dimension.abc_floating_window_z = global::LiveHTS.Droid.Resource.Dimension.abc_floating_window_z;
global::com.refractored.Resource.Dimension.abc_list_item_padding_horizontal_material = global::LiveHTS.Droid.Resource.Dimension.abc_list_item_padding_horizontal_material;
global::com.refractored.Resource.Dimension.abc_panel_menu_list_width = global::LiveHTS.Droid.Resource.Dimension.abc_panel_menu_list_width;
global::com.refractored.Resource.Dimension.abc_search_view_preferred_width = global::LiveHTS.Droid.Resource.Dimension.abc_search_view_preferred_width;
global::com.refractored.Resource.Dimension.abc_seekbar_track_background_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_seekbar_track_background_height_material;
global::com.refractored.Resource.Dimension.abc_seekbar_track_progress_height_material = global::LiveHTS.Droid.Resource.Dimension.abc_seekbar_track_progress_height_material;
global::com.refractored.Resource.Dimension.abc_select_dialog_padding_start_material = global::LiveHTS.Droid.Resource.Dimension.abc_select_dialog_padding_start_material;
global::com.refractored.Resource.Dimension.abc_switch_padding = global::LiveHTS.Droid.Resource.Dimension.abc_switch_padding;
global::com.refractored.Resource.Dimension.abc_text_size_body_1_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_body_1_material;
global::com.refractored.Resource.Dimension.abc_text_size_body_2_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_body_2_material;
global::com.refractored.Resource.Dimension.abc_text_size_button_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_button_material;
global::com.refractored.Resource.Dimension.abc_text_size_caption_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_caption_material;
global::com.refractored.Resource.Dimension.abc_text_size_display_1_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_display_1_material;
global::com.refractored.Resource.Dimension.abc_text_size_display_2_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_display_2_material;
global::com.refractored.Resource.Dimension.abc_text_size_display_3_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_display_3_material;
global::com.refractored.Resource.Dimension.abc_text_size_display_4_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_display_4_material;
global::com.refractored.Resource.Dimension.abc_text_size_headline_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_headline_material;
global::com.refractored.Resource.Dimension.abc_text_size_large_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_large_material;
global::com.refractored.Resource.Dimension.abc_text_size_medium_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_medium_material;
global::com.refractored.Resource.Dimension.abc_text_size_menu_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_menu_material;
global::com.refractored.Resource.Dimension.abc_text_size_small_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_small_material;
global::com.refractored.Resource.Dimension.abc_text_size_subhead_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_subhead_material;
global::com.refractored.Resource.Dimension.abc_text_size_subtitle_material_toolbar = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_subtitle_material_toolbar;
global::com.refractored.Resource.Dimension.abc_text_size_title_material = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_title_material;
global::com.refractored.Resource.Dimension.abc_text_size_title_material_toolbar = global::LiveHTS.Droid.Resource.Dimension.abc_text_size_title_material_toolbar;
global::com.refractored.Resource.Dimension.disabled_alpha_material_dark = global::LiveHTS.Droid.Resource.Dimension.disabled_alpha_material_dark;
global::com.refractored.Resource.Dimension.disabled_alpha_material_light = global::LiveHTS.Droid.Resource.Dimension.disabled_alpha_material_light;
global::com.refractored.Resource.Dimension.highlight_alpha_material_colored = global::LiveHTS.Droid.Resource.Dimension.highlight_alpha_material_colored;
global::com.refractored.Resource.Dimension.highlight_alpha_material_dark = global::LiveHTS.Droid.Resource.Dimension.highlight_alpha_material_dark;
global::com.refractored.Resource.Dimension.highlight_alpha_material_light = global::LiveHTS.Droid.Resource.Dimension.highlight_alpha_material_light;
global::com.refractored.Resource.Dimension.notification_large_icon_height = global::LiveHTS.Droid.Resource.Dimension.notification_large_icon_height;
global::com.refractored.Resource.Dimension.notification_large_icon_width = global::LiveHTS.Droid.Resource.Dimension.notification_large_icon_width;
global::com.refractored.Resource.Dimension.notification_subtext_size = global::LiveHTS.Droid.Resource.Dimension.notification_subtext_size;
global::com.refractored.Resource.Drawable.abc_ab_share_pack_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ab_share_pack_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_action_bar_item_background_material = global::LiveHTS.Droid.Resource.Drawable.abc_action_bar_item_background_material;
global::com.refractored.Resource.Drawable.abc_btn_borderless_material = global::LiveHTS.Droid.Resource.Drawable.abc_btn_borderless_material;
global::com.refractored.Resource.Drawable.abc_btn_check_material = global::LiveHTS.Droid.Resource.Drawable.abc_btn_check_material;
global::com.refractored.Resource.Drawable.abc_btn_check_to_on_mtrl_000 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_check_to_on_mtrl_000;
global::com.refractored.Resource.Drawable.abc_btn_check_to_on_mtrl_015 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_check_to_on_mtrl_015;
global::com.refractored.Resource.Drawable.abc_btn_colored_material = global::LiveHTS.Droid.Resource.Drawable.abc_btn_colored_material;
global::com.refractored.Resource.Drawable.abc_btn_default_mtrl_shape = global::LiveHTS.Droid.Resource.Drawable.abc_btn_default_mtrl_shape;
global::com.refractored.Resource.Drawable.abc_btn_radio_material = global::LiveHTS.Droid.Resource.Drawable.abc_btn_radio_material;
global::com.refractored.Resource.Drawable.abc_btn_radio_to_on_mtrl_000 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_radio_to_on_mtrl_000;
global::com.refractored.Resource.Drawable.abc_btn_radio_to_on_mtrl_015 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_radio_to_on_mtrl_015;
global::com.refractored.Resource.Drawable.abc_btn_switch_to_on_mtrl_00001 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_switch_to_on_mtrl_00001;
global::com.refractored.Resource.Drawable.abc_btn_switch_to_on_mtrl_00012 = global::LiveHTS.Droid.Resource.Drawable.abc_btn_switch_to_on_mtrl_00012;
global::com.refractored.Resource.Drawable.abc_cab_background_internal_bg = global::LiveHTS.Droid.Resource.Drawable.abc_cab_background_internal_bg;
global::com.refractored.Resource.Drawable.abc_cab_background_top_material = global::LiveHTS.Droid.Resource.Drawable.abc_cab_background_top_material;
global::com.refractored.Resource.Drawable.abc_cab_background_top_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_cab_background_top_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_control_background_material = global::LiveHTS.Droid.Resource.Drawable.abc_control_background_material;
global::com.refractored.Resource.Drawable.abc_edit_text_material = global::LiveHTS.Droid.Resource.Drawable.abc_edit_text_material;
global::com.refractored.Resource.Drawable.abc_ic_commit_search_api_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_commit_search_api_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_ic_menu_copy_mtrl_am_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_copy_mtrl_am_alpha;
global::com.refractored.Resource.Drawable.abc_ic_menu_cut_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_cut_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_ic_menu_paste_mtrl_am_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_paste_mtrl_am_alpha;
global::com.refractored.Resource.Drawable.abc_ic_menu_selectall_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_selectall_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_ic_menu_share_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_ic_menu_share_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_ic_star_black_16dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_black_16dp;
global::com.refractored.Resource.Drawable.abc_ic_star_black_36dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_black_36dp;
global::com.refractored.Resource.Drawable.abc_ic_star_half_black_16dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_half_black_16dp;
global::com.refractored.Resource.Drawable.abc_ic_star_half_black_36dp = global::LiveHTS.Droid.Resource.Drawable.abc_ic_star_half_black_36dp;
global::com.refractored.Resource.Drawable.abc_item_background_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_item_background_holo_dark;
global::com.refractored.Resource.Drawable.abc_item_background_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_item_background_holo_light;
global::com.refractored.Resource.Drawable.abc_list_divider_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_list_divider_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_list_focused_holo = global::LiveHTS.Droid.Resource.Drawable.abc_list_focused_holo;
global::com.refractored.Resource.Drawable.abc_list_longpressed_holo = global::LiveHTS.Droid.Resource.Drawable.abc_list_longpressed_holo;
global::com.refractored.Resource.Drawable.abc_list_pressed_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_list_pressed_holo_dark;
global::com.refractored.Resource.Drawable.abc_list_pressed_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_list_pressed_holo_light;
global::com.refractored.Resource.Drawable.abc_list_selector_background_transition_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_background_transition_holo_dark;
global::com.refractored.Resource.Drawable.abc_list_selector_background_transition_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_background_transition_holo_light;
global::com.refractored.Resource.Drawable.abc_list_selector_disabled_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_disabled_holo_dark;
global::com.refractored.Resource.Drawable.abc_list_selector_disabled_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_disabled_holo_light;
global::com.refractored.Resource.Drawable.abc_list_selector_holo_dark = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_holo_dark;
global::com.refractored.Resource.Drawable.abc_list_selector_holo_light = global::LiveHTS.Droid.Resource.Drawable.abc_list_selector_holo_light;
global::com.refractored.Resource.Drawable.abc_menu_hardkey_panel_mtrl_mult = global::LiveHTS.Droid.Resource.Drawable.abc_menu_hardkey_panel_mtrl_mult;
global::com.refractored.Resource.Drawable.abc_popup_background_mtrl_mult = global::LiveHTS.Droid.Resource.Drawable.abc_popup_background_mtrl_mult;
global::com.refractored.Resource.Drawable.abc_ratingbar_indicator_material = global::LiveHTS.Droid.Resource.Drawable.abc_ratingbar_indicator_material;
global::com.refractored.Resource.Drawable.abc_ratingbar_small_material = global::LiveHTS.Droid.Resource.Drawable.abc_ratingbar_small_material;
global::com.refractored.Resource.Drawable.abc_scrubber_control_off_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_control_off_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_scrubber_control_to_pressed_mtrl_000 = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_control_to_pressed_mtrl_000;
global::com.refractored.Resource.Drawable.abc_scrubber_control_to_pressed_mtrl_005 = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_control_to_pressed_mtrl_005;
global::com.refractored.Resource.Drawable.abc_scrubber_primary_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_primary_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_scrubber_track_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_scrubber_track_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_seekbar_thumb_material = global::LiveHTS.Droid.Resource.Drawable.abc_seekbar_thumb_material;
global::com.refractored.Resource.Drawable.abc_seekbar_track_material = global::LiveHTS.Droid.Resource.Drawable.abc_seekbar_track_material;
global::com.refractored.Resource.Drawable.abc_spinner_mtrl_am_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_spinner_mtrl_am_alpha;
global::com.refractored.Resource.Drawable.abc_spinner_textfield_background_material = global::LiveHTS.Droid.Resource.Drawable.abc_spinner_textfield_background_material;
global::com.refractored.Resource.Drawable.abc_switch_thumb_material = global::LiveHTS.Droid.Resource.Drawable.abc_switch_thumb_material;
global::com.refractored.Resource.Drawable.abc_switch_track_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_switch_track_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_tab_indicator_material = global::LiveHTS.Droid.Resource.Drawable.abc_tab_indicator_material;
global::com.refractored.Resource.Drawable.abc_tab_indicator_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_tab_indicator_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_text_cursor_material = global::LiveHTS.Droid.Resource.Drawable.abc_text_cursor_material;
global::com.refractored.Resource.Drawable.abc_textfield_activated_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_activated_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_textfield_default_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_default_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_textfield_search_activated_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_search_activated_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_textfield_search_default_mtrl_alpha = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_search_default_mtrl_alpha;
global::com.refractored.Resource.Drawable.abc_textfield_search_material = global::LiveHTS.Droid.Resource.Drawable.abc_textfield_search_material;
global::com.refractored.Resource.Drawable.notification_template_icon_bg = global::LiveHTS.Droid.Resource.Drawable.notification_template_icon_bg;
global::com.refractored.Resource.Drawable.psts_background_tab = global::LiveHTS.Droid.Resource.Drawable.psts_background_tab;
global::com.refractored.Resource.Id.action0 = global::LiveHTS.Droid.Resource.Id.action0;
global::com.refractored.Resource.Id.action_bar = global::LiveHTS.Droid.Resource.Id.action_bar;
global::com.refractored.Resource.Id.action_bar_activity_content = global::LiveHTS.Droid.Resource.Id.action_bar_activity_content;
global::com.refractored.Resource.Id.action_bar_container = global::LiveHTS.Droid.Resource.Id.action_bar_container;
global::com.refractored.Resource.Id.action_bar_root = global::LiveHTS.Droid.Resource.Id.action_bar_root;
global::com.refractored.Resource.Id.action_bar_spinner = global::LiveHTS.Droid.Resource.Id.action_bar_spinner;
global::com.refractored.Resource.Id.action_bar_subtitle = global::LiveHTS.Droid.Resource.Id.action_bar_subtitle;
global::com.refractored.Resource.Id.action_bar_title = global::LiveHTS.Droid.Resource.Id.action_bar_title;
global::com.refractored.Resource.Id.action_context_bar = global::LiveHTS.Droid.Resource.Id.action_context_bar;
global::com.refractored.Resource.Id.action_divider = global::LiveHTS.Droid.Resource.Id.action_divider;
global::com.refractored.Resource.Id.action_menu_divider = global::LiveHTS.Droid.Resource.Id.action_menu_divider;
global::com.refractored.Resource.Id.action_menu_presenter = global::LiveHTS.Droid.Resource.Id.action_menu_presenter;
global::com.refractored.Resource.Id.action_mode_bar = global::LiveHTS.Droid.Resource.Id.action_mode_bar;
global::com.refractored.Resource.Id.action_mode_bar_stub = global::LiveHTS.Droid.Resource.Id.action_mode_bar_stub;
global::com.refractored.Resource.Id.action_mode_close_button = global::LiveHTS.Droid.Resource.Id.action_mode_close_button;
global::com.refractored.Resource.Id.activity_chooser_view_content = global::LiveHTS.Droid.Resource.Id.activity_chooser_view_content;
global::com.refractored.Resource.Id.alertTitle = global::LiveHTS.Droid.Resource.Id.alertTitle;
global::com.refractored.Resource.Id.always = global::LiveHTS.Droid.Resource.Id.always;
global::com.refractored.Resource.Id.beginning = global::LiveHTS.Droid.Resource.Id.beginning;
global::com.refractored.Resource.Id.bold = global::LiveHTS.Droid.Resource.Id.bold;
global::com.refractored.Resource.Id.buttonPanel = global::LiveHTS.Droid.Resource.Id.buttonPanel;
global::com.refractored.Resource.Id.cancel_action = global::LiveHTS.Droid.Resource.Id.cancel_action;
global::com.refractored.Resource.Id.checkbox = global::LiveHTS.Droid.Resource.Id.checkbox;
global::com.refractored.Resource.Id.chronometer = global::LiveHTS.Droid.Resource.Id.chronometer;
global::com.refractored.Resource.Id.collapseActionView = global::LiveHTS.Droid.Resource.Id.collapseActionView;
global::com.refractored.Resource.Id.contentPanel = global::LiveHTS.Droid.Resource.Id.contentPanel;
global::com.refractored.Resource.Id.custom = global::LiveHTS.Droid.Resource.Id.custom;
global::com.refractored.Resource.Id.customPanel = global::LiveHTS.Droid.Resource.Id.customPanel;
global::com.refractored.Resource.Id.decor_content_parent = global::LiveHTS.Droid.Resource.Id.decor_content_parent;
global::com.refractored.Resource.Id.default_activity_button = global::LiveHTS.Droid.Resource.Id.default_activity_button;
global::com.refractored.Resource.Id.disableHome = global::LiveHTS.Droid.Resource.Id.disableHome;
global::com.refractored.Resource.Id.edit_query = global::LiveHTS.Droid.Resource.Id.edit_query;
global::com.refractored.Resource.Id.end = global::LiveHTS.Droid.Resource.Id.end;
global::com.refractored.Resource.Id.end_padder = global::LiveHTS.Droid.Resource.Id.end_padder;
global::com.refractored.Resource.Id.expand_activities_button = global::LiveHTS.Droid.Resource.Id.expand_activities_button;
global::com.refractored.Resource.Id.expanded_menu = global::LiveHTS.Droid.Resource.Id.expanded_menu;
global::com.refractored.Resource.Id.home = global::LiveHTS.Droid.Resource.Id.home;
global::com.refractored.Resource.Id.homeAsUp = global::LiveHTS.Droid.Resource.Id.homeAsUp;
global::com.refractored.Resource.Id.icon = global::LiveHTS.Droid.Resource.Id.icon;
global::com.refractored.Resource.Id.ifRoom = global::LiveHTS.Droid.Resource.Id.ifRoom;
global::com.refractored.Resource.Id.image = global::LiveHTS.Droid.Resource.Id.image;
global::com.refractored.Resource.Id.info = global::LiveHTS.Droid.Resource.Id.info;
global::com.refractored.Resource.Id.italic = global::LiveHTS.Droid.Resource.Id.italic;
global::com.refractored.Resource.Id.line1 = global::LiveHTS.Droid.Resource.Id.line1;
global::com.refractored.Resource.Id.line3 = global::LiveHTS.Droid.Resource.Id.line3;
global::com.refractored.Resource.Id.listMode = global::LiveHTS.Droid.Resource.Id.listMode;
global::com.refractored.Resource.Id.list_item = global::LiveHTS.Droid.Resource.Id.list_item;
global::com.refractored.Resource.Id.media_actions = global::LiveHTS.Droid.Resource.Id.media_actions;
global::com.refractored.Resource.Id.middle = global::LiveHTS.Droid.Resource.Id.middle;
global::com.refractored.Resource.Id.multiply = global::LiveHTS.Droid.Resource.Id.multiply;
global::com.refractored.Resource.Id.never = global::LiveHTS.Droid.Resource.Id.never;
global::com.refractored.Resource.Id.none = global::LiveHTS.Droid.Resource.Id.none;
global::com.refractored.Resource.Id.normal = global::LiveHTS.Droid.Resource.Id.normal;
global::com.refractored.Resource.Id.parentPanel = global::LiveHTS.Droid.Resource.Id.parentPanel;
global::com.refractored.Resource.Id.progress_circular = global::LiveHTS.Droid.Resource.Id.progress_circular;
global::com.refractored.Resource.Id.progress_horizontal = global::LiveHTS.Droid.Resource.Id.progress_horizontal;
global::com.refractored.Resource.Id.psts_tab_title = global::LiveHTS.Droid.Resource.Id.psts_tab_title;
global::com.refractored.Resource.Id.radio = global::LiveHTS.Droid.Resource.Id.radio;
global::com.refractored.Resource.Id.screen = global::LiveHTS.Droid.Resource.Id.screen;
global::com.refractored.Resource.Id.scrollIndicatorDown = global::LiveHTS.Droid.Resource.Id.scrollIndicatorDown;
global::com.refractored.Resource.Id.scrollIndicatorUp = global::LiveHTS.Droid.Resource.Id.scrollIndicatorUp;
global::com.refractored.Resource.Id.scrollView = global::LiveHTS.Droid.Resource.Id.scrollView;
global::com.refractored.Resource.Id.search_badge = global::LiveHTS.Droid.Resource.Id.search_badge;
global::com.refractored.Resource.Id.search_bar = global::LiveHTS.Droid.Resource.Id.search_bar;
global::com.refractored.Resource.Id.search_button = global::LiveHTS.Droid.Resource.Id.search_button;
global::com.refractored.Resource.Id.search_close_btn = global::LiveHTS.Droid.Resource.Id.search_close_btn;
global::com.refractored.Resource.Id.search_edit_frame = global::LiveHTS.Droid.Resource.Id.search_edit_frame;
global::com.refractored.Resource.Id.search_go_btn = global::LiveHTS.Droid.Resource.Id.search_go_btn;
global::com.refractored.Resource.Id.search_mag_icon = global::LiveHTS.Droid.Resource.Id.search_mag_icon;
global::com.refractored.Resource.Id.search_plate = global::LiveHTS.Droid.Resource.Id.search_plate;
global::com.refractored.Resource.Id.search_src_text = global::LiveHTS.Droid.Resource.Id.search_src_text;
global::com.refractored.Resource.Id.search_voice_btn = global::LiveHTS.Droid.Resource.Id.search_voice_btn;
global::com.refractored.Resource.Id.select_dialog_listview = global::LiveHTS.Droid.Resource.Id.select_dialog_listview;
global::com.refractored.Resource.Id.shortcut = global::LiveHTS.Droid.Resource.Id.shortcut;
global::com.refractored.Resource.Id.showCustom = global::LiveHTS.Droid.Resource.Id.showCustom;
global::com.refractored.Resource.Id.showHome = global::LiveHTS.Droid.Resource.Id.showHome;
global::com.refractored.Resource.Id.showTitle = global::LiveHTS.Droid.Resource.Id.showTitle;
global::com.refractored.Resource.Id.spacer = global::LiveHTS.Droid.Resource.Id.spacer;
global::com.refractored.Resource.Id.split_action_bar = global::LiveHTS.Droid.Resource.Id.split_action_bar;
global::com.refractored.Resource.Id.src_atop = global::LiveHTS.Droid.Resource.Id.src_atop;
global::com.refractored.Resource.Id.src_in = global::LiveHTS.Droid.Resource.Id.src_in;
global::com.refractored.Resource.Id.src_over = global::LiveHTS.Droid.Resource.Id.src_over;
global::com.refractored.Resource.Id.status_bar_latest_event_content = global::LiveHTS.Droid.Resource.Id.status_bar_latest_event_content;
global::com.refractored.Resource.Id.submit_area = global::LiveHTS.Droid.Resource.Id.submit_area;
global::com.refractored.Resource.Id.tabMode = global::LiveHTS.Droid.Resource.Id.tabMode;
global::com.refractored.Resource.Id.text = global::LiveHTS.Droid.Resource.Id.text;
global::com.refractored.Resource.Id.text2 = global::LiveHTS.Droid.Resource.Id.text2;
global::com.refractored.Resource.Id.textSpacerNoButtons = global::LiveHTS.Droid.Resource.Id.textSpacerNoButtons;
global::com.refractored.Resource.Id.time = global::LiveHTS.Droid.Resource.Id.time;
global::com.refractored.Resource.Id.title = global::LiveHTS.Droid.Resource.Id.title;
global::com.refractored.Resource.Id.title_template = global::LiveHTS.Droid.Resource.Id.title_template;
global::com.refractored.Resource.Id.topPanel = global::LiveHTS.Droid.Resource.Id.topPanel;
global::com.refractored.Resource.Id.up = global::LiveHTS.Droid.Resource.Id.up;
global::com.refractored.Resource.Id.useLogo = global::LiveHTS.Droid.Resource.Id.useLogo;
global::com.refractored.Resource.Id.withText = global::LiveHTS.Droid.Resource.Id.withText;
global::com.refractored.Resource.Id.wrap_content = global::LiveHTS.Droid.Resource.Id.wrap_content;
global::com.refractored.Resource.Integer.abc_config_activityDefaultDur = global::LiveHTS.Droid.Resource.Integer.abc_config_activityDefaultDur;
global::com.refractored.Resource.Integer.abc_config_activityShortDur = global::LiveHTS.Droid.Resource.Integer.abc_config_activityShortDur;
global::com.refractored.Resource.Integer.cancel_button_image_alpha = global::LiveHTS.Droid.Resource.Integer.cancel_button_image_alpha;
global::com.refractored.Resource.Integer.status_bar_notification_info_maxnum = global::LiveHTS.Droid.Resource.Integer.status_bar_notification_info_maxnum;
global::com.refractored.Resource.Layout.abc_action_bar_title_item = global::LiveHTS.Droid.Resource.Layout.abc_action_bar_title_item;
global::com.refractored.Resource.Layout.abc_action_bar_up_container = global::LiveHTS.Droid.Resource.Layout.abc_action_bar_up_container;
global::com.refractored.Resource.Layout.abc_action_bar_view_list_nav_layout = global::LiveHTS.Droid.Resource.Layout.abc_action_bar_view_list_nav_layout;
global::com.refractored.Resource.Layout.abc_action_menu_item_layout = global::LiveHTS.Droid.Resource.Layout.abc_action_menu_item_layout;
global::com.refractored.Resource.Layout.abc_action_menu_layout = global::LiveHTS.Droid.Resource.Layout.abc_action_menu_layout;
global::com.refractored.Resource.Layout.abc_action_mode_bar = global::LiveHTS.Droid.Resource.Layout.abc_action_mode_bar;
global::com.refractored.Resource.Layout.abc_action_mode_close_item_material = global::LiveHTS.Droid.Resource.Layout.abc_action_mode_close_item_material;
global::com.refractored.Resource.Layout.abc_activity_chooser_view = global::LiveHTS.Droid.Resource.Layout.abc_activity_chooser_view;
global::com.refractored.Resource.Layout.abc_activity_chooser_view_list_item = global::LiveHTS.Droid.Resource.Layout.abc_activity_chooser_view_list_item;
global::com.refractored.Resource.Layout.abc_alert_dialog_button_bar_material = global::LiveHTS.Droid.Resource.Layout.abc_alert_dialog_button_bar_material;
global::com.refractored.Resource.Layout.abc_alert_dialog_material = global::LiveHTS.Droid.Resource.Layout.abc_alert_dialog_material;
global::com.refractored.Resource.Layout.abc_dialog_title_material = global::LiveHTS.Droid.Resource.Layout.abc_dialog_title_material;
global::com.refractored.Resource.Layout.abc_expanded_menu_layout = global::LiveHTS.Droid.Resource.Layout.abc_expanded_menu_layout;
global::com.refractored.Resource.Layout.abc_list_menu_item_checkbox = global::LiveHTS.Droid.Resource.Layout.abc_list_menu_item_checkbox;
global::com.refractored.Resource.Layout.abc_list_menu_item_icon = global::LiveHTS.Droid.Resource.Layout.abc_list_menu_item_icon;
global::com.refractored.Resource.Layout.abc_list_menu_item_layout = global::LiveHTS.Droid.Resource.Layout.abc_list_menu_item_layout;
global::com.refractored.Resource.Layout.abc_list_menu_item_radio = global::LiveHTS.Droid.Resource.Layout.abc_list_menu_item_radio;
global::com.refractored.Resource.Layout.abc_popup_menu_item_layout = global::LiveHTS.Droid.Resource.Layout.abc_popup_menu_item_layout;
global::com.refractored.Resource.Layout.abc_screen_content_include = global::LiveHTS.Droid.Resource.Layout.abc_screen_content_include;
global::com.refractored.Resource.Layout.abc_screen_simple = global::LiveHTS.Droid.Resource.Layout.abc_screen_simple;
global::com.refractored.Resource.Layout.abc_screen_simple_overlay_action_mode = global::LiveHTS.Droid.Resource.Layout.abc_screen_simple_overlay_action_mode;
global::com.refractored.Resource.Layout.abc_screen_toolbar = global::LiveHTS.Droid.Resource.Layout.abc_screen_toolbar;
global::com.refractored.Resource.Layout.abc_search_dropdown_item_icons_2line = global::LiveHTS.Droid.Resource.Layout.abc_search_dropdown_item_icons_2line;
global::com.refractored.Resource.Layout.abc_search_view = global::LiveHTS.Droid.Resource.Layout.abc_search_view;
global::com.refractored.Resource.Layout.abc_select_dialog_material = global::LiveHTS.Droid.Resource.Layout.abc_select_dialog_material;
global::com.refractored.Resource.Layout.notification_media_action = global::LiveHTS.Droid.Resource.Layout.notification_media_action;
global::com.refractored.Resource.Layout.notification_media_cancel_action = global::LiveHTS.Droid.Resource.Layout.notification_media_cancel_action;
global::com.refractored.Resource.Layout.notification_template_big_media = global::LiveHTS.Droid.Resource.Layout.notification_template_big_media;
global::com.refractored.Resource.Layout.notification_template_big_media_narrow = global::LiveHTS.Droid.Resource.Layout.notification_template_big_media_narrow;
global::com.refractored.Resource.Layout.notification_template_media = global::LiveHTS.Droid.Resource.Layout.notification_template_media;
global::com.refractored.Resource.Layout.notification_template_part_chronometer = global::LiveHTS.Droid.Resource.Layout.notification_template_part_chronometer;
global::com.refractored.Resource.Layout.notification_template_part_time = global::LiveHTS.Droid.Resource.Layout.notification_template_part_time;
global::com.refractored.Resource.Layout.psts_tab = global::LiveHTS.Droid.Resource.Layout.psts_tab;
global::com.refractored.Resource.Layout.select_dialog_item_material = global::LiveHTS.Droid.Resource.Layout.select_dialog_item_material;
global::com.refractored.Resource.Layout.select_dialog_multichoice_material = global::LiveHTS.Droid.Resource.Layout.select_dialog_multichoice_material;
global::com.refractored.Resource.Layout.select_dialog_singlechoice_material = global::LiveHTS.Droid.Resource.Layout.select_dialog_singlechoice_material;
global::com.refractored.Resource.Layout.support_simple_spinner_dropdown_item = global::LiveHTS.Droid.Resource.Layout.support_simple_spinner_dropdown_item;
global::com.refractored.Resource.String.abc_action_bar_home_description = global::LiveHTS.Droid.Resource.String.abc_action_bar_home_description;
global::com.refractored.Resource.String.abc_action_bar_home_description_format = global::LiveHTS.Droid.Resource.String.abc_action_bar_home_description_format;
global::com.refractored.Resource.String.abc_action_bar_home_subtitle_description_format = global::LiveHTS.Droid.Resource.String.abc_action_bar_home_subtitle_description_format;
global::com.refractored.Resource.String.abc_action_bar_up_description = global::LiveHTS.Droid.Resource.String.abc_action_bar_up_description;
global::com.refractored.Resource.String.abc_action_menu_overflow_description = global::LiveHTS.Droid.Resource.String.abc_action_menu_overflow_description;
global::com.refractored.Resource.String.abc_action_mode_done = global::LiveHTS.Droid.Resource.String.abc_action_mode_done;
global::com.refractored.Resource.String.abc_activity_chooser_view_see_all = global::LiveHTS.Droid.Resource.String.abc_activity_chooser_view_see_all;
global::com.refractored.Resource.String.abc_activitychooserview_choose_application = global::LiveHTS.Droid.Resource.String.abc_activitychooserview_choose_application;
global::com.refractored.Resource.String.abc_capital_off = global::LiveHTS.Droid.Resource.String.abc_capital_off;
global::com.refractored.Resource.String.abc_capital_on = global::LiveHTS.Droid.Resource.String.abc_capital_on;
global::com.refractored.Resource.String.abc_search_hint = global::LiveHTS.Droid.Resource.String.abc_search_hint;
global::com.refractored.Resource.String.abc_searchview_description_clear = global::LiveHTS.Droid.Resource.String.abc_searchview_description_clear;
global::com.refractored.Resource.String.abc_searchview_description_query = global::LiveHTS.Droid.Resource.String.abc_searchview_description_query;
global::com.refractored.Resource.String.abc_searchview_description_search = global::LiveHTS.Droid.Resource.String.abc_searchview_description_search;
global::com.refractored.Resource.String.abc_searchview_description_submit = global::LiveHTS.Droid.Resource.String.abc_searchview_description_submit;
global::com.refractored.Resource.String.abc_searchview_description_voice = global::LiveHTS.Droid.Resource.String.abc_searchview_description_voice;
global::com.refractored.Resource.String.abc_shareactionprovider_share_with = global::LiveHTS.Droid.Resource.String.abc_shareactionprovider_share_with;
global::com.refractored.Resource.String.abc_shareactionprovider_share_with_application = global::LiveHTS.Droid.Resource.String.abc_shareactionprovider_share_with_application;
global::com.refractored.Resource.String.abc_toolbar_collapse_description = global::LiveHTS.Droid.Resource.String.abc_toolbar_collapse_description;
global::com.refractored.Resource.String.status_bar_notification_info_overflow = global::LiveHTS.Droid.Resource.String.status_bar_notification_info_overflow;
global::com.refractored.Resource.Style.AlertDialog_AppCompat = global::LiveHTS.Droid.Resource.Style.AlertDialog_AppCompat;
global::com.refractored.Resource.Style.AlertDialog_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.AlertDialog_AppCompat_Light;
global::com.refractored.Resource.Style.Animation_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Animation_AppCompat_Dialog;
global::com.refractored.Resource.Style.Animation_AppCompat_DropDownUp = global::LiveHTS.Droid.Resource.Style.Animation_AppCompat_DropDownUp;
global::com.refractored.Resource.Style.Base_AlertDialog_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_AlertDialog_AppCompat;
global::com.refractored.Resource.Style.Base_AlertDialog_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_AlertDialog_AppCompat_Light;
global::com.refractored.Resource.Style.Base_Animation_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_Animation_AppCompat_Dialog;
global::com.refractored.Resource.Style.Base_Animation_AppCompat_DropDownUp = global::LiveHTS.Droid.Resource.Style.Base_Animation_AppCompat_DropDownUp;
global::com.refractored.Resource.Style.Base_DialogWindowTitle_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_DialogWindowTitle_AppCompat;
global::com.refractored.Resource.Style.Base_DialogWindowTitleBackground_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_DialogWindowTitleBackground_AppCompat;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Body1 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Body1;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Body2 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Body2;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Button = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Button;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Caption = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Caption;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Display1 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Display1;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Display2 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Display2;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Display3 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Display3;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Display4 = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Display4;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Headline = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Headline;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Large = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Large;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Large_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Large_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Medium = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Medium;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Medium_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Medium_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Menu = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Menu;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_SearchResult = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_SearchResult;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_SearchResult_Subtitle = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_SearchResult_Subtitle;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_SearchResult_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_SearchResult_Title;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Small = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Small;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Small_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Small_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Subhead = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Subhead;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Subhead_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Subhead_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Title;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Title_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Title_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Menu = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Menu;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Title;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionMode_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_ActionMode_Title;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button_Inverse = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_Button_Inverse;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_DropDownItem = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_DropDownItem;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Large = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Large;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Small = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_PopupMenu_Small;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_Switch = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_Switch;
global::com.refractored.Resource.Style.Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem;
global::com.refractored.Resource.Style.Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item;
global::com.refractored.Resource.Style.Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle;
global::com.refractored.Resource.Style.Base_TextAppearance_Widget_AppCompat_Toolbar_Title = global::LiveHTS.Droid.Resource.Style.Base_TextAppearance_Widget_AppCompat_Toolbar_Title;
global::com.refractored.Resource.Style.Base_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_CompactMenu = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_CompactMenu;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Dialog;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Dialog_Alert;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Dialog_FixedSize = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Dialog_FixedSize;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Dialog_MinWidth;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_DialogWhenLarge;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Light_DarkActionBar = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_DarkActionBar;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_Dialog;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Light_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_Dialog_Alert;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Light_Dialog_FixedSize = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_Dialog_FixedSize;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Light_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_Dialog_MinWidth;
global::com.refractored.Resource.Style.Base_Theme_AppCompat_Light_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Base_Theme_AppCompat_Light_DialogWhenLarge;
global::com.refractored.Resource.Style.Base_ThemeOverlay_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat;
global::com.refractored.Resource.Style.Base_ThemeOverlay_AppCompat_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_ActionBar;
global::com.refractored.Resource.Style.Base_ThemeOverlay_AppCompat_Dark = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_Dark;
global::com.refractored.Resource.Style.Base_ThemeOverlay_AppCompat_Dark_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_Dark_ActionBar;
global::com.refractored.Resource.Style.Base_ThemeOverlay_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_ThemeOverlay_AppCompat_Light;
global::com.refractored.Resource.Style.Base_V11_Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V11_Theme_AppCompat_Dialog;
global::com.refractored.Resource.Style.Base_V11_Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V11_Theme_AppCompat_Light_Dialog;
global::com.refractored.Resource.Style.Base_V12_Widget_AppCompat_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Base_V12_Widget_AppCompat_AutoCompleteTextView;
global::com.refractored.Resource.Style.Base_V12_Widget_AppCompat_EditText = global::LiveHTS.Droid.Resource.Style.Base_V12_Widget_AppCompat_EditText;
global::com.refractored.Resource.Style.Base_V21_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_V21_Theme_AppCompat;
global::com.refractored.Resource.Style.Base_V21_Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V21_Theme_AppCompat_Dialog;
global::com.refractored.Resource.Style.Base_V21_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_V21_Theme_AppCompat_Light;
global::com.refractored.Resource.Style.Base_V21_Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V21_Theme_AppCompat_Light_Dialog;
global::com.refractored.Resource.Style.Base_V22_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_V22_Theme_AppCompat;
global::com.refractored.Resource.Style.Base_V22_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_V22_Theme_AppCompat_Light;
global::com.refractored.Resource.Style.Base_V23_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_V23_Theme_AppCompat;
global::com.refractored.Resource.Style.Base_V23_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_V23_Theme_AppCompat_Light;
global::com.refractored.Resource.Style.Base_V7_Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Base_V7_Theme_AppCompat;
global::com.refractored.Resource.Style.Base_V7_Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V7_Theme_AppCompat_Dialog;
global::com.refractored.Resource.Style.Base_V7_Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Base_V7_Theme_AppCompat_Light;
global::com.refractored.Resource.Style.Base_V7_Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Base_V7_Theme_AppCompat_Light_Dialog;
global::com.refractored.Resource.Style.Base_V7_Widget_AppCompat_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Base_V7_Widget_AppCompat_AutoCompleteTextView;
global::com.refractored.Resource.Style.Base_V7_Widget_AppCompat_EditText = global::LiveHTS.Droid.Resource.Style.Base_V7_Widget_AppCompat_EditText;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionBar_Solid = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar_Solid;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionBar_TabBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar_TabBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionBar_TabText = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar_TabText;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionBar_TabView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionBar_TabView;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionButton = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionButton;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionButton_CloseMode = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionButton_CloseMode;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionButton_Overflow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionButton_Overflow;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActionMode = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActionMode;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ActivityChooserView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ActivityChooserView;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_AutoCompleteTextView;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Button = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Button_Borderless = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_Borderless;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Button_Borderless_Colored = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_Borderless_Colored;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Button_ButtonBar_AlertDialog = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_ButtonBar_AlertDialog;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Button_Colored = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_Colored;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Button_Small = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Button_Small;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ButtonBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ButtonBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ButtonBar_AlertDialog = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ButtonBar_AlertDialog;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_CompoundButton_CheckBox = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_CompoundButton_CheckBox;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_CompoundButton_RadioButton = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_CompoundButton_RadioButton;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_CompoundButton_Switch = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_CompoundButton_Switch;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_DrawerArrowToggle = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_DrawerArrowToggle;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_DrawerArrowToggle_Common = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_DrawerArrowToggle_Common;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_DropDownItem_Spinner = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_DropDownItem_Spinner;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_EditText = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_EditText;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ImageButton = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ImageButton;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Light_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_Solid = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_Solid;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabText = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabText;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_ActionBar_TabView;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Light_PopupMenu = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_PopupMenu;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Light_PopupMenu_Overflow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Light_PopupMenu_Overflow;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ListPopupWindow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListPopupWindow;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ListView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListView;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ListView_DropDown = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListView_DropDown;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ListView_Menu = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ListView_Menu;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_PopupMenu = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_PopupMenu;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_PopupMenu_Overflow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_PopupMenu_Overflow;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_PopupWindow = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_PopupWindow;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ProgressBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ProgressBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_ProgressBar_Horizontal = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_ProgressBar_Horizontal;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_RatingBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_RatingBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_RatingBar_Indicator = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_RatingBar_Indicator;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_RatingBar_Small = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_RatingBar_Small;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_SearchView = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_SearchView;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_SearchView_ActionBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_SearchView_ActionBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_SeekBar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_SeekBar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Spinner = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Spinner;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Spinner_Underlined = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Spinner_Underlined;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_TextView_SpinnerItem = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_TextView_SpinnerItem;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Toolbar = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Toolbar;
global::com.refractored.Resource.Style.Base_Widget_AppCompat_Toolbar_Button_Navigation = global::LiveHTS.Droid.Resource.Style.Base_Widget_AppCompat_Toolbar_Button_Navigation;
global::com.refractored.Resource.Style.Platform_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_AppCompat;
global::com.refractored.Resource.Style.Platform_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_AppCompat_Light;
global::com.refractored.Resource.Style.Platform_ThemeOverlay_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_ThemeOverlay_AppCompat;
global::com.refractored.Resource.Style.Platform_ThemeOverlay_AppCompat_Dark = global::LiveHTS.Droid.Resource.Style.Platform_ThemeOverlay_AppCompat_Dark;
global::com.refractored.Resource.Style.Platform_ThemeOverlay_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_ThemeOverlay_AppCompat_Light;
global::com.refractored.Resource.Style.Platform_V11_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_V11_AppCompat;
global::com.refractored.Resource.Style.Platform_V11_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_V11_AppCompat_Light;
global::com.refractored.Resource.Style.Platform_V14_AppCompat = global::LiveHTS.Droid.Resource.Style.Platform_V14_AppCompat;
global::com.refractored.Resource.Style.Platform_V14_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Platform_V14_AppCompat_Light;
global::com.refractored.Resource.Style.Platform_Widget_AppCompat_Spinner = global::LiveHTS.Droid.Resource.Style.Platform_Widget_AppCompat_Spinner;
global::com.refractored.Resource.Style.RtlOverlay_DialogWindowTitle_AppCompat = global::LiveHTS.Droid.Resource.Style.RtlOverlay_DialogWindowTitle_AppCompat;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_ActionBar_TitleItem = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_ActionBar_TitleItem;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_DialogTitle_Icon = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_DialogTitle_Icon;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem_Text = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_PopupMenuItem_Text;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1 = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2 = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Query = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Query;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Text = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_Search_DropDown_Text;
global::com.refractored.Resource.Style.RtlOverlay_Widget_AppCompat_SearchView_MagIcon = global::LiveHTS.Droid.Resource.Style.RtlOverlay_Widget_AppCompat_SearchView_MagIcon;
global::com.refractored.Resource.Style.RtlUnderlay_Widget_AppCompat_ActionButton = global::LiveHTS.Droid.Resource.Style.RtlUnderlay_Widget_AppCompat_ActionButton;
global::com.refractored.Resource.Style.RtlUnderlay_Widget_AppCompat_ActionButton_Overflow = global::LiveHTS.Droid.Resource.Style.RtlUnderlay_Widget_AppCompat_ActionButton_Overflow;
global::com.refractored.Resource.Style.TextAppearance_AppCompat = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Body1 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Body1;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Body2 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Body2;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Button = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Button;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Caption = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Caption;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Display1 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Display1;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Display2 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Display2;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Display3 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Display3;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Display4 = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Display4;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Headline = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Headline;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Large = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Large;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Large_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Large_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Light_SearchResult_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Light_SearchResult_Subtitle;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Light_SearchResult_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Light_SearchResult_Title;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Light_Widget_PopupMenu_Large = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Light_Widget_PopupMenu_Large;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Light_Widget_PopupMenu_Small = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Light_Widget_PopupMenu_Small;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Medium = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Medium;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Medium_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Medium_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Menu = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Menu;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_SearchResult_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_SearchResult_Subtitle;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_SearchResult_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_SearchResult_Title;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Small = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Small;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Small_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Small_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Subhead = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Subhead;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Subhead_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Subhead_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Title;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Title_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Title_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Menu = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Menu;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Subtitle;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Title;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Subtitle;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Title;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_Button = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_Button;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_Button_Inverse = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_Button_Inverse;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_DropDownItem = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_DropDownItem;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Large = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Large;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Small = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_PopupMenu_Small;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_Switch = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_Switch;
global::com.refractored.Resource.Style.TextAppearance_AppCompat_Widget_TextView_SpinnerItem = global::LiveHTS.Droid.Resource.Style.TextAppearance_AppCompat_Widget_TextView_SpinnerItem;
global::com.refractored.Resource.Style.TextAppearance_Widget_AppCompat_ExpandedMenu_Item = global::LiveHTS.Droid.Resource.Style.TextAppearance_Widget_AppCompat_ExpandedMenu_Item;
global::com.refractored.Resource.Style.TextAppearance_Widget_AppCompat_Toolbar_Subtitle = global::LiveHTS.Droid.Resource.Style.TextAppearance_Widget_AppCompat_Toolbar_Subtitle;
global::com.refractored.Resource.Style.TextAppearance_Widget_AppCompat_Toolbar_Title = global::LiveHTS.Droid.Resource.Style.TextAppearance_Widget_AppCompat_Toolbar_Title;
global::com.refractored.Resource.Style.Theme_AppCompat = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat;
global::com.refractored.Resource.Style.Theme_AppCompat_CompactMenu = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_CompactMenu;
global::com.refractored.Resource.Style.Theme_AppCompat_DayNight = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight;
global::com.refractored.Resource.Style.Theme_AppCompat_DayNight_DarkActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_DarkActionBar;
global::com.refractored.Resource.Style.Theme_AppCompat_DayNight_Dialog = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_Dialog;
global::com.refractored.Resource.Style.Theme_AppCompat_DayNight_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_Dialog_Alert;
global::com.refractored.Resource.Style.Theme_AppCompat_DayNight_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_Dialog_MinWidth;
global::com.refractored.Resource.Style.Theme_AppCompat_DayNight_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_DialogWhenLarge;
global::com.refractored.Resource.Style.Theme_AppCompat_DayNight_NoActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DayNight_NoActionBar;
global::com.refractored.Resource.Style.Theme_AppCompat_Dialog = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Dialog;
global::com.refractored.Resource.Style.Theme_AppCompat_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Dialog_Alert;
global::com.refractored.Resource.Style.Theme_AppCompat_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Dialog_MinWidth;
global::com.refractored.Resource.Style.Theme_AppCompat_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_DialogWhenLarge;
global::com.refractored.Resource.Style.Theme_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light;
global::com.refractored.Resource.Style.Theme_AppCompat_Light_DarkActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_DarkActionBar;
global::com.refractored.Resource.Style.Theme_AppCompat_Light_Dialog = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_Dialog;
global::com.refractored.Resource.Style.Theme_AppCompat_Light_Dialog_Alert = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_Dialog_Alert;
global::com.refractored.Resource.Style.Theme_AppCompat_Light_Dialog_MinWidth = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_Dialog_MinWidth;
global::com.refractored.Resource.Style.Theme_AppCompat_Light_DialogWhenLarge = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_DialogWhenLarge;
global::com.refractored.Resource.Style.Theme_AppCompat_Light_NoActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_Light_NoActionBar;
global::com.refractored.Resource.Style.Theme_AppCompat_NoActionBar = global::LiveHTS.Droid.Resource.Style.Theme_AppCompat_NoActionBar;
global::com.refractored.Resource.Style.ThemeOverlay_AppCompat = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat;
global::com.refractored.Resource.Style.ThemeOverlay_AppCompat_ActionBar = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_ActionBar;
global::com.refractored.Resource.Style.ThemeOverlay_AppCompat_Dark = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_Dark;
global::com.refractored.Resource.Style.ThemeOverlay_AppCompat_Dark_ActionBar = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_Dark_ActionBar;
global::com.refractored.Resource.Style.ThemeOverlay_AppCompat_Light = global::LiveHTS.Droid.Resource.Style.ThemeOverlay_AppCompat_Light;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionBar_Solid = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar_Solid;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionBar_TabBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar_TabBar;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionBar_TabText = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar_TabText;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionBar_TabView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionBar_TabView;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionButton = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionButton;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionButton_CloseMode = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionButton_CloseMode;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionButton_Overflow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionButton_Overflow;
global::com.refractored.Resource.Style.Widget_AppCompat_ActionMode = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActionMode;
global::com.refractored.Resource.Style.Widget_AppCompat_ActivityChooserView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ActivityChooserView;
global::com.refractored.Resource.Style.Widget_AppCompat_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_AutoCompleteTextView;
global::com.refractored.Resource.Style.Widget_AppCompat_Button = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button;
global::com.refractored.Resource.Style.Widget_AppCompat_Button_Borderless = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_Borderless;
global::com.refractored.Resource.Style.Widget_AppCompat_Button_Borderless_Colored = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_Borderless_Colored;
global::com.refractored.Resource.Style.Widget_AppCompat_Button_ButtonBar_AlertDialog = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_ButtonBar_AlertDialog;
global::com.refractored.Resource.Style.Widget_AppCompat_Button_Colored = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_Colored;
global::com.refractored.Resource.Style.Widget_AppCompat_Button_Small = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Button_Small;
global::com.refractored.Resource.Style.Widget_AppCompat_ButtonBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ButtonBar;
global::com.refractored.Resource.Style.Widget_AppCompat_ButtonBar_AlertDialog = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ButtonBar_AlertDialog;
global::com.refractored.Resource.Style.Widget_AppCompat_CompoundButton_CheckBox = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_CompoundButton_CheckBox;
global::com.refractored.Resource.Style.Widget_AppCompat_CompoundButton_RadioButton = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_CompoundButton_RadioButton;
global::com.refractored.Resource.Style.Widget_AppCompat_CompoundButton_Switch = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_CompoundButton_Switch;
global::com.refractored.Resource.Style.Widget_AppCompat_DrawerArrowToggle = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_DrawerArrowToggle;
global::com.refractored.Resource.Style.Widget_AppCompat_DropDownItem_Spinner = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_DropDownItem_Spinner;
global::com.refractored.Resource.Style.Widget_AppCompat_EditText = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_EditText;
global::com.refractored.Resource.Style.Widget_AppCompat_ImageButton = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ImageButton;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar_Solid = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_Solid;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar_Solid_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_Solid_Inverse;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar_TabBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabBar;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar_TabBar_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabBar_Inverse;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar_TabText = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabText;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar_TabText_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabText_Inverse;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar_TabView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabView;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionBar_TabView_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionBar_TabView_Inverse;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionButton = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionButton;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionButton_CloseMode = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionButton_CloseMode;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionButton_Overflow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionButton_Overflow;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActionMode_Inverse = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActionMode_Inverse;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ActivityChooserView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ActivityChooserView;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_AutoCompleteTextView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_AutoCompleteTextView;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_DropDownItem_Spinner = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_DropDownItem_Spinner;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ListPopupWindow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ListPopupWindow;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_ListView_DropDown = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_ListView_DropDown;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_PopupMenu = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_PopupMenu;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_PopupMenu_Overflow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_PopupMenu_Overflow;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_SearchView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_SearchView;
global::com.refractored.Resource.Style.Widget_AppCompat_Light_Spinner_DropDown_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Light_Spinner_DropDown_ActionBar;
global::com.refractored.Resource.Style.Widget_AppCompat_ListPopupWindow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListPopupWindow;
global::com.refractored.Resource.Style.Widget_AppCompat_ListView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListView;
global::com.refractored.Resource.Style.Widget_AppCompat_ListView_DropDown = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListView_DropDown;
global::com.refractored.Resource.Style.Widget_AppCompat_ListView_Menu = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ListView_Menu;
global::com.refractored.Resource.Style.Widget_AppCompat_PopupMenu = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_PopupMenu;
global::com.refractored.Resource.Style.Widget_AppCompat_PopupMenu_Overflow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_PopupMenu_Overflow;
global::com.refractored.Resource.Style.Widget_AppCompat_PopupWindow = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_PopupWindow;
global::com.refractored.Resource.Style.Widget_AppCompat_ProgressBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ProgressBar;
global::com.refractored.Resource.Style.Widget_AppCompat_ProgressBar_Horizontal = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_ProgressBar_Horizontal;
global::com.refractored.Resource.Style.Widget_AppCompat_RatingBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_RatingBar;
global::com.refractored.Resource.Style.Widget_AppCompat_RatingBar_Indicator = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_RatingBar_Indicator;
global::com.refractored.Resource.Style.Widget_AppCompat_RatingBar_Small = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_RatingBar_Small;
global::com.refractored.Resource.Style.Widget_AppCompat_SearchView = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_SearchView;
global::com.refractored.Resource.Style.Widget_AppCompat_SearchView_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_SearchView_ActionBar;
global::com.refractored.Resource.Style.Widget_AppCompat_SeekBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_SeekBar;
global::com.refractored.Resource.Style.Widget_AppCompat_Spinner = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Spinner;
global::com.refractored.Resource.Style.Widget_AppCompat_Spinner_DropDown = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Spinner_DropDown;
global::com.refractored.Resource.Style.Widget_AppCompat_Spinner_DropDown_ActionBar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Spinner_DropDown_ActionBar;
global::com.refractored.Resource.Style.Widget_AppCompat_Spinner_Underlined = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Spinner_Underlined;
global::com.refractored.Resource.Style.Widget_AppCompat_TextView_SpinnerItem = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_TextView_SpinnerItem;
global::com.refractored.Resource.Style.Widget_AppCompat_Toolbar = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Toolbar;
global::com.refractored.Resource.Style.Widget_AppCompat_Toolbar_Button_Navigation = global::LiveHTS.Droid.Resource.Style.Widget_AppCompat_Toolbar_Button_Navigation;
global::com.refractored.Resource.Styleable.ActionBar = global::LiveHTS.Droid.Resource.Styleable.ActionBar;
global::com.refractored.Resource.Styleable.ActionBar_background = global::LiveHTS.Droid.Resource.Styleable.ActionBar_background;
global::com.refractored.Resource.Styleable.ActionBar_backgroundSplit = global::LiveHTS.Droid.Resource.Styleable.ActionBar_backgroundSplit;
global::com.refractored.Resource.Styleable.ActionBar_backgroundStacked = global::LiveHTS.Droid.Resource.Styleable.ActionBar_backgroundStacked;
global::com.refractored.Resource.Styleable.ActionBar_contentInsetEnd = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetEnd;
global::com.refractored.Resource.Styleable.ActionBar_contentInsetLeft = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetLeft;
global::com.refractored.Resource.Styleable.ActionBar_contentInsetRight = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetRight;
global::com.refractored.Resource.Styleable.ActionBar_contentInsetStart = global::LiveHTS.Droid.Resource.Styleable.ActionBar_contentInsetStart;
global::com.refractored.Resource.Styleable.ActionBar_customNavigationLayout = global::LiveHTS.Droid.Resource.Styleable.ActionBar_customNavigationLayout;
global::com.refractored.Resource.Styleable.ActionBar_displayOptions = global::LiveHTS.Droid.Resource.Styleable.ActionBar_displayOptions;
global::com.refractored.Resource.Styleable.ActionBar_divider = global::LiveHTS.Droid.Resource.Styleable.ActionBar_divider;
global::com.refractored.Resource.Styleable.ActionBar_elevation = global::LiveHTS.Droid.Resource.Styleable.ActionBar_elevation;
global::com.refractored.Resource.Styleable.ActionBar_height = global::LiveHTS.Droid.Resource.Styleable.ActionBar_height;
global::com.refractored.Resource.Styleable.ActionBar_hideOnContentScroll = global::LiveHTS.Droid.Resource.Styleable.ActionBar_hideOnContentScroll;
global::com.refractored.Resource.Styleable.ActionBar_homeAsUpIndicator = global::LiveHTS.Droid.Resource.Styleable.ActionBar_homeAsUpIndicator;
global::com.refractored.Resource.Styleable.ActionBar_homeLayout = global::LiveHTS.Droid.Resource.Styleable.ActionBar_homeLayout;
global::com.refractored.Resource.Styleable.ActionBar_icon = global::LiveHTS.Droid.Resource.Styleable.ActionBar_icon;
global::com.refractored.Resource.Styleable.ActionBar_indeterminateProgressStyle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_indeterminateProgressStyle;
global::com.refractored.Resource.Styleable.ActionBar_itemPadding = global::LiveHTS.Droid.Resource.Styleable.ActionBar_itemPadding;
global::com.refractored.Resource.Styleable.ActionBar_logo = global::LiveHTS.Droid.Resource.Styleable.ActionBar_logo;
global::com.refractored.Resource.Styleable.ActionBar_navigationMode = global::LiveHTS.Droid.Resource.Styleable.ActionBar_navigationMode;
global::com.refractored.Resource.Styleable.ActionBar_popupTheme = global::LiveHTS.Droid.Resource.Styleable.ActionBar_popupTheme;
global::com.refractored.Resource.Styleable.ActionBar_progressBarPadding = global::LiveHTS.Droid.Resource.Styleable.ActionBar_progressBarPadding;
global::com.refractored.Resource.Styleable.ActionBar_progressBarStyle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_progressBarStyle;
global::com.refractored.Resource.Styleable.ActionBar_subtitle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_subtitle;
global::com.refractored.Resource.Styleable.ActionBar_subtitleTextStyle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_subtitleTextStyle;
global::com.refractored.Resource.Styleable.ActionBar_title = global::LiveHTS.Droid.Resource.Styleable.ActionBar_title;
global::com.refractored.Resource.Styleable.ActionBar_titleTextStyle = global::LiveHTS.Droid.Resource.Styleable.ActionBar_titleTextStyle;
global::com.refractored.Resource.Styleable.ActionBarLayout = global::LiveHTS.Droid.Resource.Styleable.ActionBarLayout;
global::com.refractored.Resource.Styleable.ActionBarLayout_android_layout_gravity = global::LiveHTS.Droid.Resource.Styleable.ActionBarLayout_android_layout_gravity;
global::com.refractored.Resource.Styleable.ActionMenuItemView = global::LiveHTS.Droid.Resource.Styleable.ActionMenuItemView;
global::com.refractored.Resource.Styleable.ActionMenuItemView_android_minWidth = global::LiveHTS.Droid.Resource.Styleable.ActionMenuItemView_android_minWidth;
global::com.refractored.Resource.Styleable.ActionMenuView = global::LiveHTS.Droid.Resource.Styleable.ActionMenuView;
global::com.refractored.Resource.Styleable.ActionMode = global::LiveHTS.Droid.Resource.Styleable.ActionMode;
global::com.refractored.Resource.Styleable.ActionMode_background = global::LiveHTS.Droid.Resource.Styleable.ActionMode_background;
global::com.refractored.Resource.Styleable.ActionMode_backgroundSplit = global::LiveHTS.Droid.Resource.Styleable.ActionMode_backgroundSplit;
global::com.refractored.Resource.Styleable.ActionMode_closeItemLayout = global::LiveHTS.Droid.Resource.Styleable.ActionMode_closeItemLayout;
global::com.refractored.Resource.Styleable.ActionMode_height = global::LiveHTS.Droid.Resource.Styleable.ActionMode_height;
global::com.refractored.Resource.Styleable.ActionMode_subtitleTextStyle = global::LiveHTS.Droid.Resource.Styleable.ActionMode_subtitleTextStyle;
global::com.refractored.Resource.Styleable.ActionMode_titleTextStyle = global::LiveHTS.Droid.Resource.Styleable.ActionMode_titleTextStyle;
global::com.refractored.Resource.Styleable.ActivityChooserView = global::LiveHTS.Droid.Resource.Styleable.ActivityChooserView;
global::com.refractored.Resource.Styleable.ActivityChooserView_expandActivityOverflowButtonDrawable = global::LiveHTS.Droid.Resource.Styleable.ActivityChooserView_expandActivityOverflowButtonDrawable;
global::com.refractored.Resource.Styleable.ActivityChooserView_initialActivityCount = global::LiveHTS.Droid.Resource.Styleable.ActivityChooserView_initialActivityCount;
global::com.refractored.Resource.Styleable.AlertDialog = global::LiveHTS.Droid.Resource.Styleable.AlertDialog;
global::com.refractored.Resource.Styleable.AlertDialog_android_layout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_android_layout;
global::com.refractored.Resource.Styleable.AlertDialog_buttonPanelSideLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_buttonPanelSideLayout;
global::com.refractored.Resource.Styleable.AlertDialog_listItemLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_listItemLayout;
global::com.refractored.Resource.Styleable.AlertDialog_listLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_listLayout;
global::com.refractored.Resource.Styleable.AlertDialog_multiChoiceItemLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_multiChoiceItemLayout;
global::com.refractored.Resource.Styleable.AlertDialog_singleChoiceItemLayout = global::LiveHTS.Droid.Resource.Styleable.AlertDialog_singleChoiceItemLayout;
global::com.refractored.Resource.Styleable.AppCompatImageView = global::LiveHTS.Droid.Resource.Styleable.AppCompatImageView;
global::com.refractored.Resource.Styleable.AppCompatImageView_android_src = global::LiveHTS.Droid.Resource.Styleable.AppCompatImageView_android_src;
global::com.refractored.Resource.Styleable.AppCompatImageView_srcCompat = global::LiveHTS.Droid.Resource.Styleable.AppCompatImageView_srcCompat;
global::com.refractored.Resource.Styleable.AppCompatTextView = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextView;
global::com.refractored.Resource.Styleable.AppCompatTextView_android_textAppearance = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextView_android_textAppearance;
global::com.refractored.Resource.Styleable.AppCompatTextView_textAllCaps = global::LiveHTS.Droid.Resource.Styleable.AppCompatTextView_textAllCaps;
global::com.refractored.Resource.Styleable.AppCompatTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarDivider = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarDivider;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarItemBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarItemBackground;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarPopupTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarPopupTheme;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarSize = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarSize;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarSplitStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarSplitStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarTabBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarTabBarStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarTabStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarTabStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarTabTextStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarTabTextStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarTheme;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionBarWidgetTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionBarWidgetTheme;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionDropDownStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionDropDownStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionMenuTextAppearance = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionMenuTextAppearance;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionMenuTextColor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionMenuTextColor;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeBackground;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeCloseButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeCloseButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeCloseDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeCloseDrawable;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeCopyDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeCopyDrawable;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeCutDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeCutDrawable;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeFindDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeFindDrawable;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModePasteDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModePasteDrawable;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModePopupWindowStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModePopupWindowStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeSelectAllDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeSelectAllDrawable;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeShareDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeShareDrawable;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeSplitBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeSplitBackground;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionModeWebSearchDrawable = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionModeWebSearchDrawable;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionOverflowButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionOverflowButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_actionOverflowMenuStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_actionOverflowMenuStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_activityChooserViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_activityChooserViewStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_alertDialogButtonGroupStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_alertDialogButtonGroupStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_alertDialogCenterButtons = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_alertDialogCenterButtons;
global::com.refractored.Resource.Styleable.AppCompatTheme_alertDialogStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_alertDialogStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_alertDialogTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_alertDialogTheme;
global::com.refractored.Resource.Styleable.AppCompatTheme_android_windowAnimationStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_android_windowAnimationStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_android_windowIsFloating = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_android_windowIsFloating;
global::com.refractored.Resource.Styleable.AppCompatTheme_autoCompleteTextViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_autoCompleteTextViewStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_borderlessButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_borderlessButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_buttonBarButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_buttonBarNegativeButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarNegativeButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_buttonBarNeutralButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarNeutralButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_buttonBarPositiveButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarPositiveButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_buttonBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonBarStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_buttonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_buttonStyleSmall = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_buttonStyleSmall;
global::com.refractored.Resource.Styleable.AppCompatTheme_checkboxStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_checkboxStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_checkedTextViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_checkedTextViewStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_colorAccent = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorAccent;
global::com.refractored.Resource.Styleable.AppCompatTheme_colorButtonNormal = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorButtonNormal;
global::com.refractored.Resource.Styleable.AppCompatTheme_colorControlActivated = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorControlActivated;
global::com.refractored.Resource.Styleable.AppCompatTheme_colorControlHighlight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorControlHighlight;
global::com.refractored.Resource.Styleable.AppCompatTheme_colorControlNormal = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorControlNormal;
global::com.refractored.Resource.Styleable.AppCompatTheme_colorPrimary = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorPrimary;
global::com.refractored.Resource.Styleable.AppCompatTheme_colorPrimaryDark = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorPrimaryDark;
global::com.refractored.Resource.Styleable.AppCompatTheme_colorSwitchThumbNormal = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_colorSwitchThumbNormal;
global::com.refractored.Resource.Styleable.AppCompatTheme_controlBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_controlBackground;
global::com.refractored.Resource.Styleable.AppCompatTheme_dialogPreferredPadding = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dialogPreferredPadding;
global::com.refractored.Resource.Styleable.AppCompatTheme_dialogTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dialogTheme;
global::com.refractored.Resource.Styleable.AppCompatTheme_dividerHorizontal = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dividerHorizontal;
global::com.refractored.Resource.Styleable.AppCompatTheme_dividerVertical = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dividerVertical;
global::com.refractored.Resource.Styleable.AppCompatTheme_dropDownListViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dropDownListViewStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_dropdownListPreferredItemHeight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_dropdownListPreferredItemHeight;
global::com.refractored.Resource.Styleable.AppCompatTheme_editTextBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_editTextBackground;
global::com.refractored.Resource.Styleable.AppCompatTheme_editTextColor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_editTextColor;
global::com.refractored.Resource.Styleable.AppCompatTheme_editTextStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_editTextStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_homeAsUpIndicator = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_homeAsUpIndicator;
global::com.refractored.Resource.Styleable.AppCompatTheme_imageButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_imageButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_listChoiceBackgroundIndicator = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listChoiceBackgroundIndicator;
global::com.refractored.Resource.Styleable.AppCompatTheme_listDividerAlertDialog = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listDividerAlertDialog;
global::com.refractored.Resource.Styleable.AppCompatTheme_listPopupWindowStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPopupWindowStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_listPreferredItemHeight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemHeight;
global::com.refractored.Resource.Styleable.AppCompatTheme_listPreferredItemHeightLarge = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemHeightLarge;
global::com.refractored.Resource.Styleable.AppCompatTheme_listPreferredItemHeightSmall = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemHeightSmall;
global::com.refractored.Resource.Styleable.AppCompatTheme_listPreferredItemPaddingLeft = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemPaddingLeft;
global::com.refractored.Resource.Styleable.AppCompatTheme_listPreferredItemPaddingRight = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_listPreferredItemPaddingRight;
global::com.refractored.Resource.Styleable.AppCompatTheme_panelBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_panelBackground;
global::com.refractored.Resource.Styleable.AppCompatTheme_panelMenuListTheme = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_panelMenuListTheme;
global::com.refractored.Resource.Styleable.AppCompatTheme_panelMenuListWidth = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_panelMenuListWidth;
global::com.refractored.Resource.Styleable.AppCompatTheme_popupMenuStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_popupMenuStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_popupWindowStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_popupWindowStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_radioButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_radioButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_ratingBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_ratingBarStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_ratingBarStyleIndicator = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_ratingBarStyleIndicator;
global::com.refractored.Resource.Styleable.AppCompatTheme_ratingBarStyleSmall = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_ratingBarStyleSmall;
global::com.refractored.Resource.Styleable.AppCompatTheme_searchViewStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_searchViewStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_seekBarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_seekBarStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_selectableItemBackground = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_selectableItemBackground;
global::com.refractored.Resource.Styleable.AppCompatTheme_selectableItemBackgroundBorderless = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_selectableItemBackgroundBorderless;
global::com.refractored.Resource.Styleable.AppCompatTheme_spinnerDropDownItemStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_spinnerDropDownItemStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_spinnerStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_spinnerStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_switchStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_switchStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_textAppearanceLargePopupMenu = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceLargePopupMenu;
global::com.refractored.Resource.Styleable.AppCompatTheme_textAppearanceListItem = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceListItem;
global::com.refractored.Resource.Styleable.AppCompatTheme_textAppearanceListItemSmall = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceListItemSmall;
global::com.refractored.Resource.Styleable.AppCompatTheme_textAppearanceSearchResultSubtitle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceSearchResultSubtitle;
global::com.refractored.Resource.Styleable.AppCompatTheme_textAppearanceSearchResultTitle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceSearchResultTitle;
global::com.refractored.Resource.Styleable.AppCompatTheme_textAppearanceSmallPopupMenu = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textAppearanceSmallPopupMenu;
global::com.refractored.Resource.Styleable.AppCompatTheme_textColorAlertDialogListItem = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textColorAlertDialogListItem;
global::com.refractored.Resource.Styleable.AppCompatTheme_textColorSearchUrl = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_textColorSearchUrl;
global::com.refractored.Resource.Styleable.AppCompatTheme_toolbarNavigationButtonStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_toolbarNavigationButtonStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_toolbarStyle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_toolbarStyle;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowActionBar = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowActionBar;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowActionBarOverlay = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowActionBarOverlay;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowActionModeOverlay = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowActionModeOverlay;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowFixedHeightMajor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowFixedHeightMajor;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowFixedHeightMinor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowFixedHeightMinor;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowFixedWidthMajor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowFixedWidthMajor;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowFixedWidthMinor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowFixedWidthMinor;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowMinWidthMajor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowMinWidthMajor;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowMinWidthMinor = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowMinWidthMinor;
global::com.refractored.Resource.Styleable.AppCompatTheme_windowNoTitle = global::LiveHTS.Droid.Resource.Styleable.AppCompatTheme_windowNoTitle;
global::com.refractored.Resource.Styleable.ButtonBarLayout = global::LiveHTS.Droid.Resource.Styleable.ButtonBarLayout;
global::com.refractored.Resource.Styleable.ButtonBarLayout_allowStacking = global::LiveHTS.Droid.Resource.Styleable.ButtonBarLayout_allowStacking;
global::com.refractored.Resource.Styleable.CompoundButton = global::LiveHTS.Droid.Resource.Styleable.CompoundButton;
global::com.refractored.Resource.Styleable.CompoundButton_android_button = global::LiveHTS.Droid.Resource.Styleable.CompoundButton_android_button;
global::com.refractored.Resource.Styleable.CompoundButton_buttonTint = global::LiveHTS.Droid.Resource.Styleable.CompoundButton_buttonTint;
global::com.refractored.Resource.Styleable.CompoundButton_buttonTintMode = global::LiveHTS.Droid.Resource.Styleable.CompoundButton_buttonTintMode;
global::com.refractored.Resource.Styleable.DrawerArrowToggle = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle;
global::com.refractored.Resource.Styleable.DrawerArrowToggle_arrowHeadLength = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_arrowHeadLength;
global::com.refractored.Resource.Styleable.DrawerArrowToggle_arrowShaftLength = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_arrowShaftLength;
global::com.refractored.Resource.Styleable.DrawerArrowToggle_barLength = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_barLength;
global::com.refractored.Resource.Styleable.DrawerArrowToggle_color = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_color;
global::com.refractored.Resource.Styleable.DrawerArrowToggle_drawableSize = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_drawableSize;
global::com.refractored.Resource.Styleable.DrawerArrowToggle_gapBetweenBars = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_gapBetweenBars;
global::com.refractored.Resource.Styleable.DrawerArrowToggle_spinBars = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_spinBars;
global::com.refractored.Resource.Styleable.DrawerArrowToggle_thickness = global::LiveHTS.Droid.Resource.Styleable.DrawerArrowToggle_thickness;
global::com.refractored.Resource.Styleable.LinearLayoutCompat = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_android_baselineAligned = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_baselineAligned;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_android_baselineAlignedChildIndex = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_baselineAlignedChildIndex;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_android_gravity = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_gravity;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_android_orientation = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_orientation;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_android_weightSum = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_android_weightSum;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_divider = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_divider;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_dividerPadding = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_dividerPadding;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_measureWithLargestChild = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_measureWithLargestChild;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_showDividers = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_showDividers;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_Layout = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_gravity = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_gravity;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_height = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_height;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_weight = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_weight;
global::com.refractored.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_width = global::LiveHTS.Droid.Resource.Styleable.LinearLayoutCompat_Layout_android_layout_width;
global::com.refractored.Resource.Styleable.ListPopupWindow = global::LiveHTS.Droid.Resource.Styleable.ListPopupWindow;
global::com.refractored.Resource.Styleable.ListPopupWindow_android_dropDownHorizontalOffset = global::LiveHTS.Droid.Resource.Styleable.ListPopupWindow_android_dropDownHorizontalOffset;
global::com.refractored.Resource.Styleable.ListPopupWindow_android_dropDownVerticalOffset = global::LiveHTS.Droid.Resource.Styleable.ListPopupWindow_android_dropDownVerticalOffset;
global::com.refractored.Resource.Styleable.MenuGroup = global::LiveHTS.Droid.Resource.Styleable.MenuGroup;
global::com.refractored.Resource.Styleable.MenuGroup_android_checkableBehavior = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_checkableBehavior;
global::com.refractored.Resource.Styleable.MenuGroup_android_enabled = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_enabled;
global::com.refractored.Resource.Styleable.MenuGroup_android_id = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_id;
global::com.refractored.Resource.Styleable.MenuGroup_android_menuCategory = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_menuCategory;
global::com.refractored.Resource.Styleable.MenuGroup_android_orderInCategory = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_orderInCategory;
global::com.refractored.Resource.Styleable.MenuGroup_android_visible = global::LiveHTS.Droid.Resource.Styleable.MenuGroup_android_visible;
global::com.refractored.Resource.Styleable.MenuItem = global::LiveHTS.Droid.Resource.Styleable.MenuItem;
global::com.refractored.Resource.Styleable.MenuItem_actionLayout = global::LiveHTS.Droid.Resource.Styleable.MenuItem_actionLayout;
global::com.refractored.Resource.Styleable.MenuItem_actionProviderClass = global::LiveHTS.Droid.Resource.Styleable.MenuItem_actionProviderClass;
global::com.refractored.Resource.Styleable.MenuItem_actionViewClass = global::LiveHTS.Droid.Resource.Styleable.MenuItem_actionViewClass;
global::com.refractored.Resource.Styleable.MenuItem_android_alphabeticShortcut = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_alphabeticShortcut;
global::com.refractored.Resource.Styleable.MenuItem_android_checkable = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_checkable;
global::com.refractored.Resource.Styleable.MenuItem_android_checked = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_checked;
global::com.refractored.Resource.Styleable.MenuItem_android_enabled = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_enabled;
global::com.refractored.Resource.Styleable.MenuItem_android_icon = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_icon;
global::com.refractored.Resource.Styleable.MenuItem_android_id = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_id;
global::com.refractored.Resource.Styleable.MenuItem_android_menuCategory = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_menuCategory;
global::com.refractored.Resource.Styleable.MenuItem_android_numericShortcut = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_numericShortcut;
global::com.refractored.Resource.Styleable.MenuItem_android_onClick = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_onClick;
global::com.refractored.Resource.Styleable.MenuItem_android_orderInCategory = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_orderInCategory;
global::com.refractored.Resource.Styleable.MenuItem_android_title = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_title;
global::com.refractored.Resource.Styleable.MenuItem_android_titleCondensed = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_titleCondensed;
global::com.refractored.Resource.Styleable.MenuItem_android_visible = global::LiveHTS.Droid.Resource.Styleable.MenuItem_android_visible;
global::com.refractored.Resource.Styleable.MenuItem_showAsAction = global::LiveHTS.Droid.Resource.Styleable.MenuItem_showAsAction;
global::com.refractored.Resource.Styleable.MenuView = global::LiveHTS.Droid.Resource.Styleable.MenuView;
global::com.refractored.Resource.Styleable.MenuView_android_headerBackground = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_headerBackground;
global::com.refractored.Resource.Styleable.MenuView_android_horizontalDivider = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_horizontalDivider;
global::com.refractored.Resource.Styleable.MenuView_android_itemBackground = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_itemBackground;
global::com.refractored.Resource.Styleable.MenuView_android_itemIconDisabledAlpha = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_itemIconDisabledAlpha;
global::com.refractored.Resource.Styleable.MenuView_android_itemTextAppearance = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_itemTextAppearance;
global::com.refractored.Resource.Styleable.MenuView_android_verticalDivider = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_verticalDivider;
global::com.refractored.Resource.Styleable.MenuView_android_windowAnimationStyle = global::LiveHTS.Droid.Resource.Styleable.MenuView_android_windowAnimationStyle;
global::com.refractored.Resource.Styleable.MenuView_preserveIconSpacing = global::LiveHTS.Droid.Resource.Styleable.MenuView_preserveIconSpacing;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsDividerColor = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsDividerColor;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsDividerPadding = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsDividerPadding;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsDividerWidth = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsDividerWidth;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsIndicatorColor = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsIndicatorColor;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsIndicatorHeight = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsIndicatorHeight;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsPaddingMiddle = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsPaddingMiddle;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsScrollOffset = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsScrollOffset;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsShouldExpand = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsShouldExpand;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsTabBackground = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsTabBackground;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsTabPaddingLeftRight = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsTabPaddingLeftRight;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsTextAllCaps = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsTextAllCaps;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsTextAlpha = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsTextAlpha;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsTextColorSelected = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsTextColorSelected;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsTextSelectedStyle = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsTextSelectedStyle;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsTextStyle = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsTextStyle;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsUnderlineColor = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsUnderlineColor;
global::com.refractored.Resource.Styleable.PagerSlidingTabStrip_pstsUnderlineHeight = global::LiveHTS.Droid.Resource.Styleable.PagerSlidingTabStrip_pstsUnderlineHeight;
global::com.refractored.Resource.Styleable.PopupWindow = global::LiveHTS.Droid.Resource.Styleable.PopupWindow;
global::com.refractored.Resource.Styleable.PopupWindow_android_popupBackground = global::LiveHTS.Droid.Resource.Styleable.PopupWindow_android_popupBackground;
global::com.refractored.Resource.Styleable.PopupWindow_overlapAnchor = global::LiveHTS.Droid.Resource.Styleable.PopupWindow_overlapAnchor;
global::com.refractored.Resource.Styleable.PopupWindowBackgroundState = global::LiveHTS.Droid.Resource.Styleable.PopupWindowBackgroundState;
global::com.refractored.Resource.Styleable.PopupWindowBackgroundState_state_above_anchor = global::LiveHTS.Droid.Resource.Styleable.PopupWindowBackgroundState_state_above_anchor;
global::com.refractored.Resource.Styleable.SearchView = global::LiveHTS.Droid.Resource.Styleable.SearchView;
global::com.refractored.Resource.Styleable.SearchView_android_focusable = global::LiveHTS.Droid.Resource.Styleable.SearchView_android_focusable;
global::com.refractored.Resource.Styleable.SearchView_android_imeOptions = global::LiveHTS.Droid.Resource.Styleable.SearchView_android_imeOptions;
global::com.refractored.Resource.Styleable.SearchView_android_inputType = global::LiveHTS.Droid.Resource.Styleable.SearchView_android_inputType;
global::com.refractored.Resource.Styleable.SearchView_android_maxWidth = global::LiveHTS.Droid.Resource.Styleable.SearchView_android_maxWidth;
global::com.refractored.Resource.Styleable.SearchView_closeIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_closeIcon;
global::com.refractored.Resource.Styleable.SearchView_commitIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_commitIcon;
global::com.refractored.Resource.Styleable.SearchView_defaultQueryHint = global::LiveHTS.Droid.Resource.Styleable.SearchView_defaultQueryHint;
global::com.refractored.Resource.Styleable.SearchView_goIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_goIcon;
global::com.refractored.Resource.Styleable.SearchView_iconifiedByDefault = global::LiveHTS.Droid.Resource.Styleable.SearchView_iconifiedByDefault;
global::com.refractored.Resource.Styleable.SearchView_layout = global::LiveHTS.Droid.Resource.Styleable.SearchView_layout;
global::com.refractored.Resource.Styleable.SearchView_queryBackground = global::LiveHTS.Droid.Resource.Styleable.SearchView_queryBackground;
global::com.refractored.Resource.Styleable.SearchView_queryHint = global::LiveHTS.Droid.Resource.Styleable.SearchView_queryHint;
global::com.refractored.Resource.Styleable.SearchView_searchHintIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_searchHintIcon;
global::com.refractored.Resource.Styleable.SearchView_searchIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_searchIcon;
global::com.refractored.Resource.Styleable.SearchView_submitBackground = global::LiveHTS.Droid.Resource.Styleable.SearchView_submitBackground;
global::com.refractored.Resource.Styleable.SearchView_suggestionRowLayout = global::LiveHTS.Droid.Resource.Styleable.SearchView_suggestionRowLayout;
global::com.refractored.Resource.Styleable.SearchView_voiceIcon = global::LiveHTS.Droid.Resource.Styleable.SearchView_voiceIcon;
global::com.refractored.Resource.Styleable.Spinner = global::LiveHTS.Droid.Resource.Styleable.Spinner;
global::com.refractored.Resource.Styleable.Spinner_android_dropDownWidth = global::LiveHTS.Droid.Resource.Styleable.Spinner_android_dropDownWidth;
global::com.refractored.Resource.Styleable.Spinner_android_entries = global::LiveHTS.Droid.Resource.Styleable.Spinner_android_entries;
global::com.refractored.Resource.Styleable.Spinner_android_popupBackground = global::LiveHTS.Droid.Resource.Styleable.Spinner_android_popupBackground;
global::com.refractored.Resource.Styleable.Spinner_android_prompt = global::LiveHTS.Droid.Resource.Styleable.Spinner_android_prompt;
global::com.refractored.Resource.Styleable.Spinner_popupTheme = global::LiveHTS.Droid.Resource.Styleable.Spinner_popupTheme;
global::com.refractored.Resource.Styleable.SwitchCompat = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat;
global::com.refractored.Resource.Styleable.SwitchCompat_android_textOff = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_android_textOff;
global::com.refractored.Resource.Styleable.SwitchCompat_android_textOn = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_android_textOn;
global::com.refractored.Resource.Styleable.SwitchCompat_android_thumb = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_android_thumb;
global::com.refractored.Resource.Styleable.SwitchCompat_showText = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_showText;
global::com.refractored.Resource.Styleable.SwitchCompat_splitTrack = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_splitTrack;
global::com.refractored.Resource.Styleable.SwitchCompat_switchMinWidth = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_switchMinWidth;
global::com.refractored.Resource.Styleable.SwitchCompat_switchPadding = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_switchPadding;
global::com.refractored.Resource.Styleable.SwitchCompat_switchTextAppearance = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_switchTextAppearance;
global::com.refractored.Resource.Styleable.SwitchCompat_thumbTextPadding = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_thumbTextPadding;
global::com.refractored.Resource.Styleable.SwitchCompat_track = global::LiveHTS.Droid.Resource.Styleable.SwitchCompat_track;
global::com.refractored.Resource.Styleable.TextAppearance = global::LiveHTS.Droid.Resource.Styleable.TextAppearance;
global::com.refractored.Resource.Styleable.TextAppearance_android_shadowColor = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_shadowColor;
global::com.refractored.Resource.Styleable.TextAppearance_android_shadowDx = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_shadowDx;
global::com.refractored.Resource.Styleable.TextAppearance_android_shadowDy = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_shadowDy;
global::com.refractored.Resource.Styleable.TextAppearance_android_shadowRadius = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_shadowRadius;
global::com.refractored.Resource.Styleable.TextAppearance_android_textColor = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_textColor;
global::com.refractored.Resource.Styleable.TextAppearance_android_textSize = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_textSize;
global::com.refractored.Resource.Styleable.TextAppearance_android_textStyle = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_textStyle;
global::com.refractored.Resource.Styleable.TextAppearance_android_typeface = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_android_typeface;
global::com.refractored.Resource.Styleable.TextAppearance_textAllCaps = global::LiveHTS.Droid.Resource.Styleable.TextAppearance_textAllCaps;
global::com.refractored.Resource.Styleable.Toolbar = global::LiveHTS.Droid.Resource.Styleable.Toolbar;
global::com.refractored.Resource.Styleable.Toolbar_android_gravity = global::LiveHTS.Droid.Resource.Styleable.Toolbar_android_gravity;
global::com.refractored.Resource.Styleable.Toolbar_android_minHeight = global::LiveHTS.Droid.Resource.Styleable.Toolbar_android_minHeight;
global::com.refractored.Resource.Styleable.Toolbar_collapseContentDescription = global::LiveHTS.Droid.Resource.Styleable.Toolbar_collapseContentDescription;
global::com.refractored.Resource.Styleable.Toolbar_collapseIcon = global::LiveHTS.Droid.Resource.Styleable.Toolbar_collapseIcon;
global::com.refractored.Resource.Styleable.Toolbar_contentInsetEnd = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetEnd;
global::com.refractored.Resource.Styleable.Toolbar_contentInsetLeft = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetLeft;
global::com.refractored.Resource.Styleable.Toolbar_contentInsetRight = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetRight;
global::com.refractored.Resource.Styleable.Toolbar_contentInsetStart = global::LiveHTS.Droid.Resource.Styleable.Toolbar_contentInsetStart;
global::com.refractored.Resource.Styleable.Toolbar_logo = global::LiveHTS.Droid.Resource.Styleable.Toolbar_logo;
global::com.refractored.Resource.Styleable.Toolbar_logoDescription = global::LiveHTS.Droid.Resource.Styleable.Toolbar_logoDescription;
global::com.refractored.Resource.Styleable.Toolbar_maxButtonHeight = global::LiveHTS.Droid.Resource.Styleable.Toolbar_maxButtonHeight;
global::com.refractored.Resource.Styleable.Toolbar_navigationContentDescription = global::LiveHTS.Droid.Resource.Styleable.Toolbar_navigationContentDescription;
global::com.refractored.Resource.Styleable.Toolbar_navigationIcon = global::LiveHTS.Droid.Resource.Styleable.Toolbar_navigationIcon;
global::com.refractored.Resource.Styleable.Toolbar_popupTheme = global::LiveHTS.Droid.Resource.Styleable.Toolbar_popupTheme;
global::com.refractored.Resource.Styleable.Toolbar_subtitle = global::LiveHTS.Droid.Resource.Styleable.Toolbar_subtitle;
global::com.refractored.Resource.Styleable.Toolbar_subtitleTextAppearance = global::LiveHTS.Droid.Resource.Styleable.Toolbar_subtitleTextAppearance;
global::com.refractored.Resource.Styleable.Toolbar_subtitleTextColor = global::LiveHTS.Droid.Resource.Styleable.Toolbar_subtitleTextColor;
global::com.refractored.Resource.Styleable.Toolbar_title = global::LiveHTS.Droid.Resource.Styleable.Toolbar_title;
global::com.refractored.Resource.Styleable.Toolbar_titleMarginBottom = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMarginBottom;
global::com.refractored.Resource.Styleable.Toolbar_titleMarginEnd = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMarginEnd;
global::com.refractored.Resource.Styleable.Toolbar_titleMarginStart = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMarginStart;
global::com.refractored.Resource.Styleable.Toolbar_titleMarginTop = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMarginTop;
global::com.refractored.Resource.Styleable.Toolbar_titleMargins = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleMargins;
global::com.refractored.Resource.Styleable.Toolbar_titleTextAppearance = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleTextAppearance;
global::com.refractored.Resource.Styleable.Toolbar_titleTextColor = global::LiveHTS.Droid.Resource.Styleable.Toolbar_titleTextColor;
global::com.refractored.Resource.Styleable.View = global::LiveHTS.Droid.Resource.Styleable.View;
global::com.refractored.Resource.Styleable.View_android_focusable = global::LiveHTS.Droid.Resource.Styleable.View_android_focusable;
global::com.refractored.Resource.Styleable.View_android_theme = global::LiveHTS.Droid.Resource.Styleable.View_android_theme;
global::com.refractored.Resource.Styleable.View_paddingEnd = global::LiveHTS.Droid.Resource.Styleable.View_paddingEnd;
global::com.refractored.Resource.Styleable.View_paddingStart = global::LiveHTS.Droid.Resource.Styleable.View_paddingStart;
global::com.refractored.Resource.Styleable.View_theme = global::LiveHTS.Droid.Resource.Styleable.View_theme;
global::com.refractored.Resource.Styleable.ViewBackgroundHelper = global::LiveHTS.Droid.Resource.Styleable.ViewBackgroundHelper;
global::com.refractored.Resource.Styleable.ViewBackgroundHelper_android_background = global::LiveHTS.Droid.Resource.Styleable.ViewBackgroundHelper_android_background;
global::com.refractored.Resource.Styleable.ViewBackgroundHelper_backgroundTint = global::LiveHTS.Droid.Resource.Styleable.ViewBackgroundHelper_backgroundTint;
global::com.refractored.Resource.Styleable.ViewBackgroundHelper_backgroundTintMode = global::LiveHTS.Droid.Resource.Styleable.ViewBackgroundHelper_backgroundTintMode;
global::com.refractored.Resource.Styleable.ViewStubCompat = global::LiveHTS.Droid.Resource.Styleable.ViewStubCompat;
global::com.refractored.Resource.Styleable.ViewStubCompat_android_id = global::LiveHTS.Droid.Resource.Styleable.ViewStubCompat_android_id;
global::com.refractored.Resource.Styleable.ViewStubCompat_android_inflatedId = global::LiveHTS.Droid.Resource.Styleable.ViewStubCompat_android_inflatedId;
global::com.refractored.Resource.Styleable.ViewStubCompat_android_layout = global::LiveHTS.Droid.Resource.Styleable.ViewStubCompat_android_layout;
global::Splat.Resource.String.library_name = global::LiveHTS.Droid.Resource.String.library_name;
}
public partial class Animation
{
// aapt resource value: 0x7f050000
public const int abc_fade_in = 2131034112;
// aapt resource value: 0x7f050001
public const int abc_fade_out = 2131034113;
// aapt resource value: 0x7f050002
public const int abc_grow_fade_in_from_bottom = 2131034114;
// aapt resource value: 0x7f050003
public const int abc_popup_enter = 2131034115;
// aapt resource value: 0x7f050004
public const int abc_popup_exit = 2131034116;
// aapt resource value: 0x7f050005
public const int abc_shrink_fade_out_from_bottom = 2131034117;
// aapt resource value: 0x7f050006
public const int abc_slide_in_bottom = 2131034118;
// aapt resource value: 0x7f050007
public const int abc_slide_in_top = 2131034119;
// aapt resource value: 0x7f050008
public const int abc_slide_out_bottom = 2131034120;
// aapt resource value: 0x7f050009
public const int abc_slide_out_top = 2131034121;
// aapt resource value: 0x7f05000a
public const int design_bottom_sheet_slide_in = 2131034122;
// aapt resource value: 0x7f05000b
public const int design_bottom_sheet_slide_out = 2131034123;
// aapt resource value: 0x7f05000c
public const int design_snackbar_in = 2131034124;
// aapt resource value: 0x7f05000d
public const int design_snackbar_out = 2131034125;
// aapt resource value: 0x7f05000e
public const int tooltip_enter = 2131034126;
// aapt resource value: 0x7f05000f
public const int tooltip_exit = 2131034127;
static Animation()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Animation()
{
}
}
public partial class Animator
{
// aapt resource value: 0x7f060000
public const int design_appbar_state_list_animator = 2131099648;
static Animator()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Animator()
{
}
}
public partial class Attribute
{
// aapt resource value: 0x7f01019a
public const int MvxBind = 2130772378;
// aapt resource value: 0x7f01019e
public const int MvxDropDownItemTemplate = 2130772382;
// aapt resource value: 0x7f01019f
public const int MvxGroupItemTemplate = 2130772383;
// aapt resource value: 0x7f01019d
public const int MvxItemTemplate = 2130772381;
// aapt resource value: 0x7f01019b
public const int MvxLang = 2130772379;
// aapt resource value: 0x7f0101a0
public const int MvxSource = 2130772384;
// aapt resource value: 0x7f01019c
public const int MvxTemplate = 2130772380;
// aapt resource value: 0x7f010199
public const int MvxTemplateSelector = 2130772377;
// aapt resource value: 0x7f01007a
public const int actionBarDivider = 2130772090;
// aapt resource value: 0x7f01007b
public const int actionBarItemBackground = 2130772091;
// aapt resource value: 0x7f010074
public const int actionBarPopupTheme = 2130772084;
// aapt resource value: 0x7f010079
public const int actionBarSize = 2130772089;
// aapt resource value: 0x7f010076
public const int actionBarSplitStyle = 2130772086;
// aapt resource value: 0x7f010075
public const int actionBarStyle = 2130772085;
// aapt resource value: 0x7f010070
public const int actionBarTabBarStyle = 2130772080;
// aapt resource value: 0x7f01006f
public const int actionBarTabStyle = 2130772079;
// aapt resource value: 0x7f010071
public const int actionBarTabTextStyle = 2130772081;
// aapt resource value: 0x7f010077
public const int actionBarTheme = 2130772087;
// aapt resource value: 0x7f010078
public const int actionBarWidgetTheme = 2130772088;
// aapt resource value: 0x7f010095
public const int actionButtonStyle = 2130772117;
// aapt resource value: 0x7f010091
public const int actionDropDownStyle = 2130772113;
// aapt resource value: 0x7f0100ec
public const int actionLayout = 2130772204;
// aapt resource value: 0x7f01007c
public const int actionMenuTextAppearance = 2130772092;
// aapt resource value: 0x7f01007d
public const int actionMenuTextColor = 2130772093;
// aapt resource value: 0x7f010080
public const int actionModeBackground = 2130772096;
// aapt resource value: 0x7f01007f
public const int actionModeCloseButtonStyle = 2130772095;
// aapt resource value: 0x7f010082
public const int actionModeCloseDrawable = 2130772098;
// aapt resource value: 0x7f010084
public const int actionModeCopyDrawable = 2130772100;
// aapt resource value: 0x7f010083
public const int actionModeCutDrawable = 2130772099;
// aapt resource value: 0x7f010088
public const int actionModeFindDrawable = 2130772104;
// aapt resource value: 0x7f010085
public const int actionModePasteDrawable = 2130772101;
// aapt resource value: 0x7f01008a
public const int actionModePopupWindowStyle = 2130772106;
// aapt resource value: 0x7f010086
public const int actionModeSelectAllDrawable = 2130772102;
// aapt resource value: 0x7f010087
public const int actionModeShareDrawable = 2130772103;
// aapt resource value: 0x7f010081
public const int actionModeSplitBackground = 2130772097;
// aapt resource value: 0x7f01007e
public const int actionModeStyle = 2130772094;
// aapt resource value: 0x7f010089
public const int actionModeWebSearchDrawable = 2130772105;
// aapt resource value: 0x7f010072
public const int actionOverflowButtonStyle = 2130772082;
// aapt resource value: 0x7f010073
public const int actionOverflowMenuStyle = 2130772083;
// aapt resource value: 0x7f0100ee
public const int actionProviderClass = 2130772206;
// aapt resource value: 0x7f0100ed
public const int actionViewClass = 2130772205;
// aapt resource value: 0x7f01009d
public const int activityChooserViewStyle = 2130772125;
// aapt resource value: 0x7f0101a4
public const int ahBarColor = 2130772388;
// aapt resource value: 0x7f0101ac
public const int ahBarLength = 2130772396;
// aapt resource value: 0x7f0101ab
public const int ahBarWidth = 2130772395;
// aapt resource value: 0x7f0101a9
public const int ahCircleColor = 2130772393;
// aapt resource value: 0x7f0101a8
public const int ahDelayMillis = 2130772392;
// aapt resource value: 0x7f0101aa
public const int ahRadius = 2130772394;
// aapt resource value: 0x7f0101a5
public const int ahRimColor = 2130772389;
// aapt resource value: 0x7f0101a6
public const int ahRimWidth = 2130772390;
// aapt resource value: 0x7f0101a7
public const int ahSpinSpeed = 2130772391;
// aapt resource value: 0x7f0101a1
public const int ahText = 2130772385;
// aapt resource value: 0x7f0101a2
public const int ahTextColor = 2130772386;
// aapt resource value: 0x7f0101a3
public const int ahTextSize = 2130772387;
// aapt resource value: 0x7f0100c2
public const int alertDialogButtonGroupStyle = 2130772162;
// aapt resource value: 0x7f0100c3
public const int alertDialogCenterButtons = 2130772163;
// aapt resource value: 0x7f0100c1
public const int alertDialogStyle = 2130772161;
// aapt resource value: 0x7f0100c4
public const int alertDialogTheme = 2130772164;
// aapt resource value: 0x7f0100da
public const int allowStacking = 2130772186;
// aapt resource value: 0x7f0100db
public const int alpha = 2130772187;
// aapt resource value: 0x7f0100e9
public const int alphabeticModifiers = 2130772201;
// aapt resource value: 0x7f010010
public const int ambientEnabled = 2130771984;
// aapt resource value: 0x7f0100e2
public const int arrowHeadLength = 2130772194;
// aapt resource value: 0x7f0100e3
public const int arrowShaftLength = 2130772195;
// aapt resource value: 0x7f0100c9
public const int autoCompleteTextViewStyle = 2130772169;
// aapt resource value: 0x7f010063
public const int autoSizeMaxTextSize = 2130772067;
// aapt resource value: 0x7f010062
public const int autoSizeMinTextSize = 2130772066;
// aapt resource value: 0x7f010061
public const int autoSizePresetSizes = 2130772065;
// aapt resource value: 0x7f010060
public const int autoSizeStepGranularity = 2130772064;
// aapt resource value: 0x7f01005f
public const int autoSizeTextType = 2130772063;
// aapt resource value: 0x7f01003d
public const int background = 2130772029;
// aapt resource value: 0x7f01003f
public const int backgroundSplit = 2130772031;
// aapt resource value: 0x7f01003e
public const int backgroundStacked = 2130772030;
// aapt resource value: 0x7f010125
public const int backgroundTint = 2130772261;
// aapt resource value: 0x7f010126
public const int backgroundTintMode = 2130772262;
// aapt resource value: 0x7f0100e4
public const int barLength = 2130772196;
// aapt resource value: 0x7f010150
public const int behavior_autoHide = 2130772304;
// aapt resource value: 0x7f01012d
public const int behavior_hideable = 2130772269;
// aapt resource value: 0x7f010159
public const int behavior_overlapTop = 2130772313;
// aapt resource value: 0x7f01012c
public const int behavior_peekHeight = 2130772268;
// aapt resource value: 0x7f01012e
public const int behavior_skipCollapsed = 2130772270;
// aapt resource value: 0x7f01014e
public const int borderWidth = 2130772302;
// aapt resource value: 0x7f01009a
public const int borderlessButtonStyle = 2130772122;
// aapt resource value: 0x7f010148
public const int bottomSheetDialogTheme = 2130772296;
// aapt resource value: 0x7f010149
public const int bottomSheetStyle = 2130772297;
// aapt resource value: 0x7f010097
public const int buttonBarButtonStyle = 2130772119;
// aapt resource value: 0x7f0100c7
public const int buttonBarNegativeButtonStyle = 2130772167;
// aapt resource value: 0x7f0100c8
public const int buttonBarNeutralButtonStyle = 2130772168;
// aapt resource value: 0x7f0100c6
public const int buttonBarPositiveButtonStyle = 2130772166;
// aapt resource value: 0x7f010096
public const int buttonBarStyle = 2130772118;
// aapt resource value: 0x7f01011a
public const int buttonGravity = 2130772250;
// aapt resource value: 0x7f010052
public const int buttonPanelSideLayout = 2130772050;
// aapt resource value: 0x7f01001a
public const int buttonSize = 2130771994;
// aapt resource value: 0x7f0100ca
public const int buttonStyle = 2130772170;
// aapt resource value: 0x7f0100cb
public const int buttonStyleSmall = 2130772171;
// aapt resource value: 0x7f0100dc
public const int buttonTint = 2130772188;
// aapt resource value: 0x7f0100dd
public const int buttonTintMode = 2130772189;
// aapt resource value: 0x7f010001
public const int cameraBearing = 2130771969;
// aapt resource value: 0x7f010012
public const int cameraMaxZoomPreference = 2130771986;
// aapt resource value: 0x7f010011
public const int cameraMinZoomPreference = 2130771985;
// aapt resource value: 0x7f010002
public const int cameraTargetLat = 2130771970;
// aapt resource value: 0x7f010003
public const int cameraTargetLng = 2130771971;
// aapt resource value: 0x7f010004
public const int cameraTilt = 2130771972;
// aapt resource value: 0x7f010005
public const int cameraZoom = 2130771973;
// aapt resource value: 0x7f010026
public const int cardBackgroundColor = 2130772006;
// aapt resource value: 0x7f010027
public const int cardCornerRadius = 2130772007;
// aapt resource value: 0x7f010028
public const int cardElevation = 2130772008;
// aapt resource value: 0x7f010029
public const int cardMaxElevation = 2130772009;
// aapt resource value: 0x7f01002b
public const int cardPreventCornerOverlap = 2130772011;
// aapt resource value: 0x7f01002a
public const int cardUseCompatPadding = 2130772010;
// aapt resource value: 0x7f0100cc
public const int checkboxStyle = 2130772172;
// aapt resource value: 0x7f0100cd
public const int checkedTextViewStyle = 2130772173;
// aapt resource value: 0x7f010019
public const int circleCrop = 2130771993;
// aapt resource value: 0x7f0100fd
public const int closeIcon = 2130772221;
// aapt resource value: 0x7f01004f
public const int closeItemLayout = 2130772047;
// aapt resource value: 0x7f01011c
public const int collapseContentDescription = 2130772252;
// aapt resource value: 0x7f01011b
public const int collapseIcon = 2130772251;
// aapt resource value: 0x7f01013b
public const int collapsedTitleGravity = 2130772283;
// aapt resource value: 0x7f010135
public const int collapsedTitleTextAppearance = 2130772277;
// aapt resource value: 0x7f0100de
public const int color = 2130772190;
// aapt resource value: 0x7f0100b9
public const int colorAccent = 2130772153;
// aapt resource value: 0x7f0100c0
public const int colorBackgroundFloating = 2130772160;
// aapt resource value: 0x7f0100bd
public const int colorButtonNormal = 2130772157;
// aapt resource value: 0x7f0100bb
public const int colorControlActivated = 2130772155;
// aapt resource value: 0x7f0100bc
public const int colorControlHighlight = 2130772156;
// aapt resource value: 0x7f0100ba
public const int colorControlNormal = 2130772154;
// aapt resource value: 0x7f0100d9
public const int colorError = 2130772185;
// aapt resource value: 0x7f0100b7
public const int colorPrimary = 2130772151;
// aapt resource value: 0x7f0100b8
public const int colorPrimaryDark = 2130772152;
// aapt resource value: 0x7f01001b
public const int colorScheme = 2130771995;
// aapt resource value: 0x7f0100be
public const int colorSwitchThumbNormal = 2130772158;
// aapt resource value: 0x7f010102
public const int commitIcon = 2130772226;
// aapt resource value: 0x7f0100ef
public const int contentDescription = 2130772207;
// aapt resource value: 0x7f010048
public const int contentInsetEnd = 2130772040;
// aapt resource value: 0x7f01004c
public const int contentInsetEndWithActions = 2130772044;
// aapt resource value: 0x7f010049
public const int contentInsetLeft = 2130772041;
// aapt resource value: 0x7f01004a
public const int contentInsetRight = 2130772042;
// aapt resource value: 0x7f010047
public const int contentInsetStart = 2130772039;
// aapt resource value: 0x7f01004b
public const int contentInsetStartWithNavigation = 2130772043;
// aapt resource value: 0x7f01002c
public const int contentPadding = 2130772012;
// aapt resource value: 0x7f010030
public const int contentPaddingBottom = 2130772016;
// aapt resource value: 0x7f01002d
public const int contentPaddingLeft = 2130772013;
// aapt resource value: 0x7f01002e
public const int contentPaddingRight = 2130772014;
// aapt resource value: 0x7f01002f
public const int contentPaddingTop = 2130772015;
// aapt resource value: 0x7f010136
public const int contentScrim = 2130772278;
// aapt resource value: 0x7f0100bf
public const int controlBackground = 2130772159;
// aapt resource value: 0x7f01016f
public const int counterEnabled = 2130772335;
// aapt resource value: 0x7f010170
public const int counterMaxLength = 2130772336;
// aapt resource value: 0x7f010172
public const int counterOverflowTextAppearance = 2130772338;
// aapt resource value: 0x7f010171
public const int counterTextAppearance = 2130772337;
// aapt resource value: 0x7f010040
public const int customNavigationLayout = 2130772032;
// aapt resource value: 0x7f0100fc
public const int defaultQueryHint = 2130772220;
// aapt resource value: 0x7f01008f
public const int dialogPreferredPadding = 2130772111;
// aapt resource value: 0x7f01008e
public const int dialogTheme = 2130772110;
// aapt resource value: 0x7f010036
public const int displayOptions = 2130772022;
// aapt resource value: 0x7f01003c
public const int divider = 2130772028;
// aapt resource value: 0x7f01009c
public const int dividerHorizontal = 2130772124;
// aapt resource value: 0x7f0100e8
public const int dividerPadding = 2130772200;
// aapt resource value: 0x7f01009b
public const int dividerVertical = 2130772123;
// aapt resource value: 0x7f0100e0
public const int drawableSize = 2130772192;
// aapt resource value: 0x7f010031
public const int drawerArrowStyle = 2130772017;
// aapt resource value: 0x7f0100ae
public const int dropDownListViewStyle = 2130772142;
// aapt resource value: 0x7f010092
public const int dropdownListPreferredItemHeight = 2130772114;
// aapt resource value: 0x7f0100a3
public const int editTextBackground = 2130772131;
// aapt resource value: 0x7f0100a2
public const int editTextColor = 2130772130;
// aapt resource value: 0x7f0100ce
public const int editTextStyle = 2130772174;
// aapt resource value: 0x7f01004d
public const int elevation = 2130772045;
// aapt resource value: 0x7f01016d
public const int errorEnabled = 2130772333;
// aapt resource value: 0x7f01016e
public const int errorTextAppearance = 2130772334;
// aapt resource value: 0x7f010051
public const int expandActivityOverflowButtonDrawable = 2130772049;
// aapt resource value: 0x7f010127
public const int expanded = 2130772263;
// aapt resource value: 0x7f01013c
public const int expandedTitleGravity = 2130772284;
// aapt resource value: 0x7f01012f
public const int expandedTitleMargin = 2130772271;
// aapt resource value: 0x7f010133
public const int expandedTitleMarginBottom = 2130772275;
// aapt resource value: 0x7f010132
public const int expandedTitleMarginEnd = 2130772274;
// aapt resource value: 0x7f010130
public const int expandedTitleMarginStart = 2130772272;
// aapt resource value: 0x7f010131
public const int expandedTitleMarginTop = 2130772273;
// aapt resource value: 0x7f010134
public const int expandedTitleTextAppearance = 2130772276;
// aapt resource value: 0x7f01014c
public const int fabSize = 2130772300;
// aapt resource value: 0x7f010195
public const int fab_colorDisabled = 2130772373;
// aapt resource value: 0x7f010194
public const int fab_colorNormal = 2130772372;
// aapt resource value: 0x7f010193
public const int fab_colorPressed = 2130772371;
// aapt resource value: 0x7f010196
public const int fab_colorRipple = 2130772374;
// aapt resource value: 0x7f010197
public const int fab_shadow = 2130772375;
// aapt resource value: 0x7f010198
public const int fab_size = 2130772376;
// aapt resource value: 0x7f010021
public const int fastScrollEnabled = 2130772001;
// aapt resource value: 0x7f010024
public const int fastScrollHorizontalThumbDrawable = 2130772004;
// aapt resource value: 0x7f010025
public const int fastScrollHorizontalTrackDrawable = 2130772005;
// aapt resource value: 0x7f010022
public const int fastScrollVerticalThumbDrawable = 2130772002;
// aapt resource value: 0x7f010023
public const int fastScrollVerticalTrackDrawable = 2130772003;
// aapt resource value: 0x7f010180
public const int font = 2130772352;
// aapt resource value: 0x7f010064
public const int fontFamily = 2130772068;
// aapt resource value: 0x7f010179
public const int fontProviderAuthority = 2130772345;
// aapt resource value: 0x7f01017c
public const int fontProviderCerts = 2130772348;
// aapt resource value: 0x7f01017d
public const int fontProviderFetchStrategy = 2130772349;
// aapt resource value: 0x7f01017e
public const int fontProviderFetchTimeout = 2130772350;
// aapt resource value: 0x7f01017a
public const int fontProviderPackage = 2130772346;
// aapt resource value: 0x7f01017b
public const int fontProviderQuery = 2130772347;
// aapt resource value: 0x7f01017f
public const int fontStyle = 2130772351;
// aapt resource value: 0x7f010181
public const int fontWeight = 2130772353;
// aapt resource value: 0x7f010151
public const int foregroundInsidePadding = 2130772305;
// aapt resource value: 0x7f0100e1
public const int gapBetweenBars = 2130772193;
// aapt resource value: 0x7f0100fe
public const int goIcon = 2130772222;
// aapt resource value: 0x7f010157
public const int headerLayout = 2130772311;
// aapt resource value: 0x7f010032
public const int height = 2130772018;
// aapt resource value: 0x7f010046
public const int hideOnContentScroll = 2130772038;
// aapt resource value: 0x7f010173
public const int hintAnimationEnabled = 2130772339;
// aapt resource value: 0x7f01016c
public const int hintEnabled = 2130772332;
// aapt resource value: 0x7f01016b
public const int hintTextAppearance = 2130772331;
// aapt resource value: 0x7f010094
public const int homeAsUpIndicator = 2130772116;
// aapt resource value: 0x7f010041
public const int homeLayout = 2130772033;
// aapt resource value: 0x7f01003a
public const int icon = 2130772026;
// aapt resource value: 0x7f0100f1
public const int iconTint = 2130772209;
// aapt resource value: 0x7f0100f2
public const int iconTintMode = 2130772210;
// aapt resource value: 0x7f0100fa
public const int iconifiedByDefault = 2130772218;
// aapt resource value: 0x7f010018
public const int imageAspectRatio = 2130771992;
// aapt resource value: 0x7f010017
public const int imageAspectRatioAdjust = 2130771991;
// aapt resource value: 0x7f0100a4
public const int imageButtonStyle = 2130772132;
// aapt resource value: 0x7f010043
public const int indeterminateProgressStyle = 2130772035;
// aapt resource value: 0x7f010050
public const int initialActivityCount = 2130772048;
// aapt resource value: 0x7f010158
public const int insetForeground = 2130772312;
// aapt resource value: 0x7f010033
public const int isLightTheme = 2130772019;
// aapt resource value: 0x7f010155
public const int itemBackground = 2130772309;
// aapt resource value: 0x7f010153
public const int itemIconTint = 2130772307;
// aapt resource value: 0x7f010045
public const int itemPadding = 2130772037;
// aapt resource value: 0x7f010156
public const int itemTextAppearance = 2130772310;
// aapt resource value: 0x7f010154
public const int itemTextColor = 2130772308;
// aapt resource value: 0x7f010140
public const int keylines = 2130772288;
// aapt resource value: 0x7f010015
public const int latLngBoundsNorthEastLatitude = 2130771989;
// aapt resource value: 0x7f010016
public const int latLngBoundsNorthEastLongitude = 2130771990;
// aapt resource value: 0x7f010013
public const int latLngBoundsSouthWestLatitude = 2130771987;
// aapt resource value: 0x7f010014
public const int latLngBoundsSouthWestLongitude = 2130771988;
// aapt resource value: 0x7f0100f9
public const int layout = 2130772217;
// aapt resource value: 0x7f01001d
public const int layoutManager = 2130771997;
// aapt resource value: 0x7f010143
public const int layout_anchor = 2130772291;
// aapt resource value: 0x7f010145
public const int layout_anchorGravity = 2130772293;
// aapt resource value: 0x7f010142
public const int layout_behavior = 2130772290;
// aapt resource value: 0x7f01013e
public const int layout_collapseMode = 2130772286;
// aapt resource value: 0x7f01013f
public const int layout_collapseParallaxMultiplier = 2130772287;
// aapt resource value: 0x7f010147
public const int layout_dodgeInsetEdges = 2130772295;
// aapt resource value: 0x7f010146
public const int layout_insetEdge = 2130772294;
// aapt resource value: 0x7f010144
public const int layout_keyline = 2130772292;
// aapt resource value: 0x7f01012a
public const int layout_scrollFlags = 2130772266;
// aapt resource value: 0x7f01012b
public const int layout_scrollInterpolator = 2130772267;
// aapt resource value: 0x7f0100b6
public const int listChoiceBackgroundIndicator = 2130772150;
// aapt resource value: 0x7f010090
public const int listDividerAlertDialog = 2130772112;
// aapt resource value: 0x7f010056
public const int listItemLayout = 2130772054;
// aapt resource value: 0x7f010053
public const int listLayout = 2130772051;
// aapt resource value: 0x7f0100d6
public const int listMenuViewStyle = 2130772182;
// aapt resource value: 0x7f0100af
public const int listPopupWindowStyle = 2130772143;
// aapt resource value: 0x7f0100a9
public const int listPreferredItemHeight = 2130772137;
// aapt resource value: 0x7f0100ab
public const int listPreferredItemHeightLarge = 2130772139;
// aapt resource value: 0x7f0100aa
public const int listPreferredItemHeightSmall = 2130772138;
// aapt resource value: 0x7f0100ac
public const int listPreferredItemPaddingLeft = 2130772140;
// aapt resource value: 0x7f0100ad
public const int listPreferredItemPaddingRight = 2130772141;
// aapt resource value: 0x7f010006
public const int liteMode = 2130771974;
// aapt resource value: 0x7f01003b
public const int logo = 2130772027;
// aapt resource value: 0x7f01011f
public const int logoDescription = 2130772255;
// aapt resource value: 0x7f010000
public const int mapType = 2130771968;
// aapt resource value: 0x7f01015a
public const int maxActionInlineWidth = 2130772314;
// aapt resource value: 0x7f010119
public const int maxButtonHeight = 2130772249;
// aapt resource value: 0x7f0100e6
public const int measureWithLargestChild = 2130772198;
// aapt resource value: 0x7f010152
public const int menu = 2130772306;
// aapt resource value: 0x7f010054
public const int multiChoiceItemLayout = 2130772052;
// aapt resource value: 0x7f01011e
public const int navigationContentDescription = 2130772254;
// aapt resource value: 0x7f01011d
public const int navigationIcon = 2130772253;
// aapt resource value: 0x7f010035
public const int navigationMode = 2130772021;
// aapt resource value: 0x7f0100ea
public const int numericModifiers = 2130772202;
// aapt resource value: 0x7f0100f5
public const int overlapAnchor = 2130772213;
// aapt resource value: 0x7f0100f7
public const int paddingBottomNoButtons = 2130772215;
// aapt resource value: 0x7f010123
public const int paddingEnd = 2130772259;
// aapt resource value: 0x7f010122
public const int paddingStart = 2130772258;
// aapt resource value: 0x7f0100f8
public const int paddingTopNoTitle = 2130772216;
// aapt resource value: 0x7f0100b3
public const int panelBackground = 2130772147;
// aapt resource value: 0x7f0100b5
public const int panelMenuListTheme = 2130772149;
// aapt resource value: 0x7f0100b4
public const int panelMenuListWidth = 2130772148;
// aapt resource value: 0x7f010176
public const int passwordToggleContentDescription = 2130772342;
// aapt resource value: 0x7f010175
public const int passwordToggleDrawable = 2130772341;
// aapt resource value: 0x7f010174
public const int passwordToggleEnabled = 2130772340;
// aapt resource value: 0x7f010177
public const int passwordToggleTint = 2130772343;
// aapt resource value: 0x7f010178
public const int passwordToggleTintMode = 2130772344;
// aapt resource value: 0x7f0100a0
public const int popupMenuStyle = 2130772128;
// aapt resource value: 0x7f01004e
public const int popupTheme = 2130772046;
// aapt resource value: 0x7f0100a1
public const int popupWindowStyle = 2130772129;
// aapt resource value: 0x7f0100f3
public const int preserveIconSpacing = 2130772211;
// aapt resource value: 0x7f01014d
public const int pressedTranslationZ = 2130772301;
// aapt resource value: 0x7f010044
public const int progressBarPadding = 2130772036;
// aapt resource value: 0x7f010042
public const int progressBarStyle = 2130772034;
// aapt resource value: 0x7f010184
public const int pstsDividerColor = 2130772356;
// aapt resource value: 0x7f010188
public const int pstsDividerPadding = 2130772360;
// aapt resource value: 0x7f010185
public const int pstsDividerWidth = 2130772357;
// aapt resource value: 0x7f010182
public const int pstsIndicatorColor = 2130772354;
// aapt resource value: 0x7f010186
public const int pstsIndicatorHeight = 2130772358;
// aapt resource value: 0x7f01018e
public const int pstsPaddingMiddle = 2130772366;
// aapt resource value: 0x7f01018a
public const int pstsScrollOffset = 2130772362;
// aapt resource value: 0x7f01018c
public const int pstsShouldExpand = 2130772364;
// aapt resource value: 0x7f01018b
public const int pstsTabBackground = 2130772363;
// aapt resource value: 0x7f010189
public const int pstsTabPaddingLeftRight = 2130772361;
// aapt resource value: 0x7f01018d
public const int pstsTextAllCaps = 2130772365;
// aapt resource value: 0x7f010190
public const int pstsTextAlpha = 2130772368;
// aapt resource value: 0x7f01018f
public const int pstsTextColorSelected = 2130772367;
// aapt resource value: 0x7f010192
public const int pstsTextSelectedStyle = 2130772370;
// aapt resource value: 0x7f010191
public const int pstsTextStyle = 2130772369;
// aapt resource value: 0x7f010183
public const int pstsUnderlineColor = 2130772355;
// aapt resource value: 0x7f010187
public const int pstsUnderlineHeight = 2130772359;
// aapt resource value: 0x7f010104
public const int queryBackground = 2130772228;
// aapt resource value: 0x7f0100fb
public const int queryHint = 2130772219;
// aapt resource value: 0x7f0100cf
public const int radioButtonStyle = 2130772175;
// aapt resource value: 0x7f0100d0
public const int ratingBarStyle = 2130772176;
// aapt resource value: 0x7f0100d1
public const int ratingBarStyleIndicator = 2130772177;
// aapt resource value: 0x7f0100d2
public const int ratingBarStyleSmall = 2130772178;
// aapt resource value: 0x7f01001f
public const int reverseLayout = 2130771999;
// aapt resource value: 0x7f01014b
public const int rippleColor = 2130772299;
// aapt resource value: 0x7f01001c
public const int scopeUris = 2130771996;
// aapt resource value: 0x7f01013a
public const int scrimAnimationDuration = 2130772282;
// aapt resource value: 0x7f010139
public const int scrimVisibleHeightTrigger = 2130772281;
// aapt resource value: 0x7f010100
public const int searchHintIcon = 2130772224;
// aapt resource value: 0x7f0100ff
public const int searchIcon = 2130772223;
// aapt resource value: 0x7f0100a8
public const int searchViewStyle = 2130772136;
// aapt resource value: 0x7f0100d3
public const int seekBarStyle = 2130772179;
// aapt resource value: 0x7f010098
public const int selectableItemBackground = 2130772120;
// aapt resource value: 0x7f010099
public const int selectableItemBackgroundBorderless = 2130772121;
// aapt resource value: 0x7f0100eb
public const int showAsAction = 2130772203;
// aapt resource value: 0x7f0100e7
public const int showDividers = 2130772199;
// aapt resource value: 0x7f010110
public const int showText = 2130772240;
// aapt resource value: 0x7f010057
public const int showTitle = 2130772055;
// aapt resource value: 0x7f010055
public const int singleChoiceItemLayout = 2130772053;
// aapt resource value: 0x7f01001e
public const int spanCount = 2130771998;
// aapt resource value: 0x7f0100df
public const int spinBars = 2130772191;
// aapt resource value: 0x7f010093
public const int spinnerDropDownItemStyle = 2130772115;
// aapt resource value: 0x7f0100d4
public const int spinnerStyle = 2130772180;
// aapt resource value: 0x7f01010f
public const int splitTrack = 2130772239;
// aapt resource value: 0x7f010058
public const int srcCompat = 2130772056;
// aapt resource value: 0x7f010020
public const int stackFromEnd = 2130772000;
// aapt resource value: 0x7f0100f6
public const int state_above_anchor = 2130772214;
// aapt resource value: 0x7f010128
public const int state_collapsed = 2130772264;
// aapt resource value: 0x7f010129
public const int state_collapsible = 2130772265;
// aapt resource value: 0x7f010141
public const int statusBarBackground = 2130772289;
// aapt resource value: 0x7f010137
public const int statusBarScrim = 2130772279;
// aapt resource value: 0x7f0100f4
public const int subMenuArrow = 2130772212;
// aapt resource value: 0x7f010105
public const int submitBackground = 2130772229;
// aapt resource value: 0x7f010037
public const int subtitle = 2130772023;
// aapt resource value: 0x7f010112
public const int subtitleTextAppearance = 2130772242;
// aapt resource value: 0x7f010121
public const int subtitleTextColor = 2130772257;
// aapt resource value: 0x7f010039
public const int subtitleTextStyle = 2130772025;
// aapt resource value: 0x7f010103
public const int suggestionRowLayout = 2130772227;
// aapt resource value: 0x7f01010d
public const int switchMinWidth = 2130772237;
// aapt resource value: 0x7f01010e
public const int switchPadding = 2130772238;
// aapt resource value: 0x7f0100d5
public const int switchStyle = 2130772181;
// aapt resource value: 0x7f01010c
public const int switchTextAppearance = 2130772236;
// aapt resource value: 0x7f01015e
public const int tabBackground = 2130772318;
// aapt resource value: 0x7f01015d
public const int tabContentStart = 2130772317;
// aapt resource value: 0x7f010160
public const int tabGravity = 2130772320;
// aapt resource value: 0x7f01015b
public const int tabIndicatorColor = 2130772315;
// aapt resource value: 0x7f01015c
public const int tabIndicatorHeight = 2130772316;
// aapt resource value: 0x7f010162
public const int tabMaxWidth = 2130772322;
// aapt resource value: 0x7f010161
public const int tabMinWidth = 2130772321;
// aapt resource value: 0x7f01015f
public const int tabMode = 2130772319;
// aapt resource value: 0x7f01016a
public const int tabPadding = 2130772330;
// aapt resource value: 0x7f010169
public const int tabPaddingBottom = 2130772329;
// aapt resource value: 0x7f010168
public const int tabPaddingEnd = 2130772328;
// aapt resource value: 0x7f010166
public const int tabPaddingStart = 2130772326;
// aapt resource value: 0x7f010167
public const int tabPaddingTop = 2130772327;
// aapt resource value: 0x7f010165
public const int tabSelectedTextColor = 2130772325;
// aapt resource value: 0x7f010163
public const int tabTextAppearance = 2130772323;
// aapt resource value: 0x7f010164
public const int tabTextColor = 2130772324;
// aapt resource value: 0x7f01005e
public const int textAllCaps = 2130772062;
// aapt resource value: 0x7f01008b
public const int textAppearanceLargePopupMenu = 2130772107;
// aapt resource value: 0x7f0100b0
public const int textAppearanceListItem = 2130772144;
// aapt resource value: 0x7f0100b1
public const int textAppearanceListItemSecondary = 2130772145;
// aapt resource value: 0x7f0100b2
public const int textAppearanceListItemSmall = 2130772146;
// aapt resource value: 0x7f01008d
public const int textAppearancePopupMenuHeader = 2130772109;
// aapt resource value: 0x7f0100a6
public const int textAppearanceSearchResultSubtitle = 2130772134;
// aapt resource value: 0x7f0100a5
public const int textAppearanceSearchResultTitle = 2130772133;
// aapt resource value: 0x7f01008c
public const int textAppearanceSmallPopupMenu = 2130772108;
// aapt resource value: 0x7f0100c5
public const int textColorAlertDialogListItem = 2130772165;
// aapt resource value: 0x7f01014a
public const int textColorError = 2130772298;
// aapt resource value: 0x7f0100a7
public const int textColorSearchUrl = 2130772135;
// aapt resource value: 0x7f010124
public const int theme = 2130772260;
// aapt resource value: 0x7f0100e5
public const int thickness = 2130772197;
// aapt resource value: 0x7f01010b
public const int thumbTextPadding = 2130772235;
// aapt resource value: 0x7f010106
public const int thumbTint = 2130772230;
// aapt resource value: 0x7f010107
public const int thumbTintMode = 2130772231;
// aapt resource value: 0x7f01005b
public const int tickMark = 2130772059;
// aapt resource value: 0x7f01005c
public const int tickMarkTint = 2130772060;
// aapt resource value: 0x7f01005d
public const int tickMarkTintMode = 2130772061;
// aapt resource value: 0x7f010059
public const int tint = 2130772057;
// aapt resource value: 0x7f01005a
public const int tintMode = 2130772058;
// aapt resource value: 0x7f010034
public const int title = 2130772020;
// aapt resource value: 0x7f01013d
public const int titleEnabled = 2130772285;
// aapt resource value: 0x7f010113
public const int titleMargin = 2130772243;
// aapt resource value: 0x7f010117
public const int titleMarginBottom = 2130772247;
// aapt resource value: 0x7f010115
public const int titleMarginEnd = 2130772245;
// aapt resource value: 0x7f010114
public const int titleMarginStart = 2130772244;
// aapt resource value: 0x7f010116
public const int titleMarginTop = 2130772246;
// aapt resource value: 0x7f010118
public const int titleMargins = 2130772248;
// aapt resource value: 0x7f010111
public const int titleTextAppearance = 2130772241;
// aapt resource value: 0x7f010120
public const int titleTextColor = 2130772256;
// aapt resource value: 0x7f010038
public const int titleTextStyle = 2130772024;
// aapt resource value: 0x7f010138
public const int toolbarId = 2130772280;
// aapt resource value: 0x7f01009f
public const int toolbarNavigationButtonStyle = 2130772127;
// aapt resource value: 0x7f01009e
public const int toolbarStyle = 2130772126;
// aapt resource value: 0x7f0100d8
public const int tooltipForegroundColor = 2130772184;
// aapt resource value: 0x7f0100d7
public const int tooltipFrameBackground = 2130772183;
// aapt resource value: 0x7f0100f0
public const int tooltipText = 2130772208;
// aapt resource value: 0x7f010108
public const int track = 2130772232;
// aapt resource value: 0x7f010109
public const int trackTint = 2130772233;
// aapt resource value: 0x7f01010a
public const int trackTintMode = 2130772234;
// aapt resource value: 0x7f010007
public const int uiCompass = 2130771975;
// aapt resource value: 0x7f01000f
public const int uiMapToolbar = 2130771983;
// aapt resource value: 0x7f010008
public const int uiRotateGestures = 2130771976;
// aapt resource value: 0x7f010009
public const int uiScrollGestures = 2130771977;
// aapt resource value: 0x7f01000a
public const int uiTiltGestures = 2130771978;
// aapt resource value: 0x7f01000b
public const int uiZoomControls = 2130771979;
// aapt resource value: 0x7f01000c
public const int uiZoomGestures = 2130771980;
// aapt resource value: 0x7f01014f
public const int useCompatPadding = 2130772303;
// aapt resource value: 0x7f01000d
public const int useViewLifecycle = 2130771981;
// aapt resource value: 0x7f010101
public const int voiceIcon = 2130772225;
// aapt resource value: 0x7f010065
public const int windowActionBar = 2130772069;
// aapt resource value: 0x7f010067
public const int windowActionBarOverlay = 2130772071;
// aapt resource value: 0x7f010068
public const int windowActionModeOverlay = 2130772072;
// aapt resource value: 0x7f01006c
public const int windowFixedHeightMajor = 2130772076;
// aapt resource value: 0x7f01006a
public const int windowFixedHeightMinor = 2130772074;
// aapt resource value: 0x7f010069
public const int windowFixedWidthMajor = 2130772073;
// aapt resource value: 0x7f01006b
public const int windowFixedWidthMinor = 2130772075;
// aapt resource value: 0x7f01006d
public const int windowMinWidthMajor = 2130772077;
// aapt resource value: 0x7f01006e
public const int windowMinWidthMinor = 2130772078;
// aapt resource value: 0x7f010066
public const int windowNoTitle = 2130772070;
// aapt resource value: 0x7f01000e
public const int zOrderOnTop = 2130771982;
static Attribute()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Attribute()
{
}
}
public partial class Boolean
{
// aapt resource value: 0x7f0e0000
public const int abc_action_bar_embed_tabs = 2131623936;
// aapt resource value: 0x7f0e0001
public const int abc_allow_stacked_button_bar = 2131623937;
// aapt resource value: 0x7f0e0002
public const int abc_config_actionMenuItemAllCaps = 2131623938;
// aapt resource value: 0x7f0e0003
public const int abc_config_closeDialogWhenTouchOutside = 2131623939;
// aapt resource value: 0x7f0e0004
public const int abc_config_showMenuShortcutsWhenKeyboardPresent = 2131623940;
static Boolean()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Boolean()
{
}
}
public partial class Color
{
// aapt resource value: 0x7f0a0060
public const int abc_background_cache_hint_selector_material_dark = 2131361888;
// aapt resource value: 0x7f0a0061
public const int abc_background_cache_hint_selector_material_light = 2131361889;
// aapt resource value: 0x7f0a0062
public const int abc_btn_colored_borderless_text_material = 2131361890;
// aapt resource value: 0x7f0a0063
public const int abc_btn_colored_text_material = 2131361891;
// aapt resource value: 0x7f0a0064
public const int abc_color_highlight_material = 2131361892;
// aapt resource value: 0x7f0a0065
public const int abc_hint_foreground_material_dark = 2131361893;
// aapt resource value: 0x7f0a0066
public const int abc_hint_foreground_material_light = 2131361894;
// aapt resource value: 0x7f0a000c
public const int abc_input_method_navigation_guard = 2131361804;
// aapt resource value: 0x7f0a0067
public const int abc_primary_text_disable_only_material_dark = 2131361895;
// aapt resource value: 0x7f0a0068
public const int abc_primary_text_disable_only_material_light = 2131361896;
// aapt resource value: 0x7f0a0069
public const int abc_primary_text_material_dark = 2131361897;
// aapt resource value: 0x7f0a006a
public const int abc_primary_text_material_light = 2131361898;
// aapt resource value: 0x7f0a006b
public const int abc_search_url_text = 2131361899;
// aapt resource value: 0x7f0a000d
public const int abc_search_url_text_normal = 2131361805;
// aapt resource value: 0x7f0a000e
public const int abc_search_url_text_pressed = 2131361806;
// aapt resource value: 0x7f0a000f
public const int abc_search_url_text_selected = 2131361807;
// aapt resource value: 0x7f0a006c
public const int abc_secondary_text_material_dark = 2131361900;
// aapt resource value: 0x7f0a006d
public const int abc_secondary_text_material_light = 2131361901;
// aapt resource value: 0x7f0a006e
public const int abc_tint_btn_checkable = 2131361902;
// aapt resource value: 0x7f0a006f
public const int abc_tint_default = 2131361903;
// aapt resource value: 0x7f0a0070
public const int abc_tint_edittext = 2131361904;
// aapt resource value: 0x7f0a0071
public const int abc_tint_seek_thumb = 2131361905;
// aapt resource value: 0x7f0a0072
public const int abc_tint_spinner = 2131361906;
// aapt resource value: 0x7f0a0073
public const int abc_tint_switch_track = 2131361907;
// aapt resource value: 0x7f0a005b
public const int accent = 2131361883;
// aapt resource value: 0x7f0a005e
public const int accent2 = 2131361886;
// aapt resource value: 0x7f0a0010
public const int accent_material_dark = 2131361808;
// aapt resource value: 0x7f0a0011
public const int accent_material_light = 2131361809;
// aapt resource value: 0x7f0a005c
public const int accent_pressed = 2131361884;
// aapt resource value: 0x7f0a005f
public const int accent_pressed2 = 2131361887;
// aapt resource value: 0x7f0a0012
public const int background_floating_material_dark = 2131361810;
// aapt resource value: 0x7f0a0013
public const int background_floating_material_light = 2131361811;
// aapt resource value: 0x7f0a0014
public const int background_material_dark = 2131361812;
// aapt resource value: 0x7f0a0015
public const int background_material_light = 2131361813;
// aapt resource value: 0x7f0a0016
public const int bright_foreground_disabled_material_dark = 2131361814;
// aapt resource value: 0x7f0a0017
public const int bright_foreground_disabled_material_light = 2131361815;
// aapt resource value: 0x7f0a0018
public const int bright_foreground_inverse_material_dark = 2131361816;
// aapt resource value: 0x7f0a0019
public const int bright_foreground_inverse_material_light = 2131361817;
// aapt resource value: 0x7f0a001a
public const int bright_foreground_material_dark = 2131361818;
// aapt resource value: 0x7f0a001b
public const int bright_foreground_material_light = 2131361819;
// aapt resource value: 0x7f0a001c
public const int button_material_dark = 2131361820;
// aapt resource value: 0x7f0a001d
public const int button_material_light = 2131361821;
// aapt resource value: 0x7f0a0008
public const int cardview_dark_background = 2131361800;
// aapt resource value: 0x7f0a0009
public const int cardview_light_background = 2131361801;
// aapt resource value: 0x7f0a000a
public const int cardview_shadow_end_color = 2131361802;
// aapt resource value: 0x7f0a000b
public const int cardview_shadow_start_color = 2131361803;
// aapt resource value: 0x7f0a0057
public const int colorAccent = 2131361879;
// aapt resource value: 0x7f0a0055
public const int colorPrimary = 2131361877;
// aapt resource value: 0x7f0a0056
public const int colorPrimaryDark = 2131361878;
// aapt resource value: 0x7f0a0074
public const int common_google_signin_btn_text_dark = 2131361908;
// aapt resource value: 0x7f0a0000
public const int common_google_signin_btn_text_dark_default = 2131361792;
// aapt resource value: 0x7f0a0001
public const int common_google_signin_btn_text_dark_disabled = 2131361793;
// aapt resource value: 0x7f0a0002
public const int common_google_signin_btn_text_dark_focused = 2131361794;
// aapt resource value: 0x7f0a0003
public const int common_google_signin_btn_text_dark_pressed = 2131361795;
// aapt resource value: 0x7f0a0075
public const int common_google_signin_btn_text_light = 2131361909;
// aapt resource value: 0x7f0a0004
public const int common_google_signin_btn_text_light_default = 2131361796;
// aapt resource value: 0x7f0a0005
public const int common_google_signin_btn_text_light_disabled = 2131361797;
// aapt resource value: 0x7f0a0006
public const int common_google_signin_btn_text_light_focused = 2131361798;
// aapt resource value: 0x7f0a0007
public const int common_google_signin_btn_text_light_pressed = 2131361799;
// aapt resource value: 0x7f0a0076
public const int common_google_signin_btn_tint = 2131361910;
// aapt resource value: 0x7f0a0048
public const int design_bottom_navigation_shadow_color = 2131361864;
// aapt resource value: 0x7f0a0077
public const int design_error = 2131361911;
// aapt resource value: 0x7f0a0049
public const int design_fab_shadow_end_color = 2131361865;
// aapt resource value: 0x7f0a004a
public const int design_fab_shadow_mid_color = 2131361866;
// aapt resource value: 0x7f0a004b
public const int design_fab_shadow_start_color = 2131361867;
// aapt resource value: 0x7f0a004c
public const int design_fab_stroke_end_inner_color = 2131361868;
// aapt resource value: 0x7f0a004d
public const int design_fab_stroke_end_outer_color = 2131361869;
// aapt resource value: 0x7f0a004e
public const int design_fab_stroke_top_inner_color = 2131361870;
// aapt resource value: 0x7f0a004f
public const int design_fab_stroke_top_outer_color = 2131361871;
// aapt resource value: 0x7f0a0050
public const int design_snackbar_background_color = 2131361872;
// aapt resource value: 0x7f0a0078
public const int design_tint_password_toggle = 2131361912;
// aapt resource value: 0x7f0a001e
public const int dim_foreground_disabled_material_dark = 2131361822;
// aapt resource value: 0x7f0a001f
public const int dim_foreground_disabled_material_light = 2131361823;
// aapt resource value: 0x7f0a0020
public const int dim_foreground_material_dark = 2131361824;
// aapt resource value: 0x7f0a0021
public const int dim_foreground_material_light = 2131361825;
// aapt resource value: 0x7f0a0022
public const int error_color_material = 2131361826;
// aapt resource value: 0x7f0a0054
public const int fab_material_blue_500 = 2131361876;
// aapt resource value: 0x7f0a0023
public const int foreground_material_dark = 2131361827;
// aapt resource value: 0x7f0a0024
public const int foreground_material_light = 2131361828;
// aapt resource value: 0x7f0a0025
public const int highlighted_text_material_dark = 2131361829;
// aapt resource value: 0x7f0a0026
public const int highlighted_text_material_light = 2131361830;
// aapt resource value: 0x7f0a0027
public const int material_blue_grey_800 = 2131361831;
// aapt resource value: 0x7f0a0028
public const int material_blue_grey_900 = 2131361832;
// aapt resource value: 0x7f0a0029
public const int material_blue_grey_950 = 2131361833;
// aapt resource value: 0x7f0a002a
public const int material_deep_teal_200 = 2131361834;
// aapt resource value: 0x7f0a002b
public const int material_deep_teal_500 = 2131361835;
// aapt resource value: 0x7f0a002c
public const int material_grey_100 = 2131361836;
// aapt resource value: 0x7f0a002d
public const int material_grey_300 = 2131361837;
// aapt resource value: 0x7f0a002e
public const int material_grey_50 = 2131361838;
// aapt resource value: 0x7f0a002f
public const int material_grey_600 = 2131361839;
// aapt resource value: 0x7f0a0030
public const int material_grey_800 = 2131361840;
// aapt resource value: 0x7f0a0031
public const int material_grey_850 = 2131361841;
// aapt resource value: 0x7f0a0032
public const int material_grey_900 = 2131361842;
// aapt resource value: 0x7f0a0051
public const int notification_action_color_filter = 2131361873;
// aapt resource value: 0x7f0a0052
public const int notification_icon_bg_color = 2131361874;
// aapt resource value: 0x7f0a0047
public const int notification_material_background_media_default_color = 2131361863;
// aapt resource value: 0x7f0a0058
public const int primary = 2131361880;
// aapt resource value: 0x7f0a0059
public const int primary_dark = 2131361881;
// aapt resource value: 0x7f0a0033
public const int primary_dark_material_dark = 2131361843;
// aapt resource value: 0x7f0a0034
public const int primary_dark_material_light = 2131361844;
// aapt resource value: 0x7f0a0035
public const int primary_material_dark = 2131361845;
// aapt resource value: 0x7f0a0036
public const int primary_material_light = 2131361846;
// aapt resource value: 0x7f0a0037
public const int primary_text_default_material_dark = 2131361847;
// aapt resource value: 0x7f0a0038
public const int primary_text_default_material_light = 2131361848;
// aapt resource value: 0x7f0a0039
public const int primary_text_disabled_material_dark = 2131361849;
// aapt resource value: 0x7f0a003a
public const int primary_text_disabled_material_light = 2131361850;
// aapt resource value: 0x7f0a0053
public const int psts_background_tab_pressed = 2131361875;
// aapt resource value: 0x7f0a005a
public const int ripple = 2131361882;
// aapt resource value: 0x7f0a005d
public const int ripple2 = 2131361885;
// aapt resource value: 0x7f0a003b
public const int ripple_material_dark = 2131361851;
// aapt resource value: 0x7f0a003c
public const int ripple_material_light = 2131361852;
// aapt resource value: 0x7f0a003d
public const int secondary_text_default_material_dark = 2131361853;
// aapt resource value: 0x7f0a003e
public const int secondary_text_default_material_light = 2131361854;
// aapt resource value: 0x7f0a003f
public const int secondary_text_disabled_material_dark = 2131361855;
// aapt resource value: 0x7f0a0040
public const int secondary_text_disabled_material_light = 2131361856;
// aapt resource value: 0x7f0a0041
public const int switch_thumb_disabled_material_dark = 2131361857;
// aapt resource value: 0x7f0a0042
public const int switch_thumb_disabled_material_light = 2131361858;
// aapt resource value: 0x7f0a0079
public const int switch_thumb_material_dark = 2131361913;
// aapt resource value: 0x7f0a007a
public const int switch_thumb_material_light = 2131361914;
// aapt resource value: 0x7f0a0043
public const int switch_thumb_normal_material_dark = 2131361859;
// aapt resource value: 0x7f0a0044
public const int switch_thumb_normal_material_light = 2131361860;
// aapt resource value: 0x7f0a0045
public const int tooltip_background_dark = 2131361861;
// aapt resource value: 0x7f0a0046
public const int tooltip_background_light = 2131361862;
static Color()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Color()
{
}
}
public partial class Dimension
{
// aapt resource value: 0x7f0b0015
public const int abc_action_bar_content_inset_material = 2131427349;
// aapt resource value: 0x7f0b0016
public const int abc_action_bar_content_inset_with_nav = 2131427350;
// aapt resource value: 0x7f0b000a
public const int abc_action_bar_default_height_material = 2131427338;
// aapt resource value: 0x7f0b0017
public const int abc_action_bar_default_padding_end_material = 2131427351;
// aapt resource value: 0x7f0b0018
public const int abc_action_bar_default_padding_start_material = 2131427352;
// aapt resource value: 0x7f0b001a
public const int abc_action_bar_elevation_material = 2131427354;
// aapt resource value: 0x7f0b001b
public const int abc_action_bar_icon_vertical_padding_material = 2131427355;
// aapt resource value: 0x7f0b001c
public const int abc_action_bar_overflow_padding_end_material = 2131427356;
// aapt resource value: 0x7f0b001d
public const int abc_action_bar_overflow_padding_start_material = 2131427357;
// aapt resource value: 0x7f0b000b
public const int abc_action_bar_progress_bar_size = 2131427339;
// aapt resource value: 0x7f0b001e
public const int abc_action_bar_stacked_max_height = 2131427358;
// aapt resource value: 0x7f0b001f
public const int abc_action_bar_stacked_tab_max_width = 2131427359;
// aapt resource value: 0x7f0b0020
public const int abc_action_bar_subtitle_bottom_margin_material = 2131427360;
// aapt resource value: 0x7f0b0021
public const int abc_action_bar_subtitle_top_margin_material = 2131427361;
// aapt resource value: 0x7f0b0022
public const int abc_action_button_min_height_material = 2131427362;
// aapt resource value: 0x7f0b0023
public const int abc_action_button_min_width_material = 2131427363;
// aapt resource value: 0x7f0b0024
public const int abc_action_button_min_width_overflow_material = 2131427364;
// aapt resource value: 0x7f0b0009
public const int abc_alert_dialog_button_bar_height = 2131427337;
// aapt resource value: 0x7f0b0025
public const int abc_button_inset_horizontal_material = 2131427365;
// aapt resource value: 0x7f0b0026
public const int abc_button_inset_vertical_material = 2131427366;
// aapt resource value: 0x7f0b0027
public const int abc_button_padding_horizontal_material = 2131427367;
// aapt resource value: 0x7f0b0028
public const int abc_button_padding_vertical_material = 2131427368;
// aapt resource value: 0x7f0b0029
public const int abc_cascading_menus_min_smallest_width = 2131427369;
// aapt resource value: 0x7f0b000e
public const int abc_config_prefDialogWidth = 2131427342;
// aapt resource value: 0x7f0b002a
public const int abc_control_corner_material = 2131427370;
// aapt resource value: 0x7f0b002b
public const int abc_control_inset_material = 2131427371;
// aapt resource value: 0x7f0b002c
public const int abc_control_padding_material = 2131427372;
// aapt resource value: 0x7f0b000f
public const int abc_dialog_fixed_height_major = 2131427343;
// aapt resource value: 0x7f0b0010
public const int abc_dialog_fixed_height_minor = 2131427344;
// aapt resource value: 0x7f0b0011
public const int abc_dialog_fixed_width_major = 2131427345;
// aapt resource value: 0x7f0b0012
public const int abc_dialog_fixed_width_minor = 2131427346;
// aapt resource value: 0x7f0b002d
public const int abc_dialog_list_padding_bottom_no_buttons = 2131427373;
// aapt resource value: 0x7f0b002e
public const int abc_dialog_list_padding_top_no_title = 2131427374;
// aapt resource value: 0x7f0b0013
public const int abc_dialog_min_width_major = 2131427347;
// aapt resource value: 0x7f0b0014
public const int abc_dialog_min_width_minor = 2131427348;
// aapt resource value: 0x7f0b002f
public const int abc_dialog_padding_material = 2131427375;
// aapt resource value: 0x7f0b0030
public const int abc_dialog_padding_top_material = 2131427376;
// aapt resource value: 0x7f0b0031
public const int abc_dialog_title_divider_material = 2131427377;
// aapt resource value: 0x7f0b0032
public const int abc_disabled_alpha_material_dark = 2131427378;
// aapt resource value: 0x7f0b0033
public const int abc_disabled_alpha_material_light = 2131427379;
// aapt resource value: 0x7f0b0034
public const int abc_dropdownitem_icon_width = 2131427380;
// aapt resource value: 0x7f0b0035
public const int abc_dropdownitem_text_padding_left = 2131427381;
// aapt resource value: 0x7f0b0036
public const int abc_dropdownitem_text_padding_right = 2131427382;
// aapt resource value: 0x7f0b0037
public const int abc_edit_text_inset_bottom_material = 2131427383;
// aapt resource value: 0x7f0b0038
public const int abc_edit_text_inset_horizontal_material = 2131427384;
// aapt resource value: 0x7f0b0039
public const int abc_edit_text_inset_top_material = 2131427385;
// aapt resource value: 0x7f0b003a
public const int abc_floating_window_z = 2131427386;
// aapt resource value: 0x7f0b003b
public const int abc_list_item_padding_horizontal_material = 2131427387;
// aapt resource value: 0x7f0b003c
public const int abc_panel_menu_list_width = 2131427388;
// aapt resource value: 0x7f0b003d
public const int abc_progress_bar_height_material = 2131427389;
// aapt resource value: 0x7f0b003e
public const int abc_search_view_preferred_height = 2131427390;
// aapt resource value: 0x7f0b003f
public const int abc_search_view_preferred_width = 2131427391;
// aapt resource value: 0x7f0b0040
public const int abc_seekbar_track_background_height_material = 2131427392;
// aapt resource value: 0x7f0b0041
public const int abc_seekbar_track_progress_height_material = 2131427393;
// aapt resource value: 0x7f0b0042
public const int abc_select_dialog_padding_start_material = 2131427394;
// aapt resource value: 0x7f0b0019
public const int abc_switch_padding = 2131427353;
// aapt resource value: 0x7f0b0043
public const int abc_text_size_body_1_material = 2131427395;
// aapt resource value: 0x7f0b0044
public const int abc_text_size_body_2_material = 2131427396;
// aapt resource value: 0x7f0b0045
public const int abc_text_size_button_material = 2131427397;
// aapt resource value: 0x7f0b0046
public const int abc_text_size_caption_material = 2131427398;
// aapt resource value: 0x7f0b0047
public const int abc_text_size_display_1_material = 2131427399;
// aapt resource value: 0x7f0b0048
public const int abc_text_size_display_2_material = 2131427400;
// aapt resource value: 0x7f0b0049
public const int abc_text_size_display_3_material = 2131427401;
// aapt resource value: 0x7f0b004a
public const int abc_text_size_display_4_material = 2131427402;
// aapt resource value: 0x7f0b004b
public const int abc_text_size_headline_material = 2131427403;
// aapt resource value: 0x7f0b004c
public const int abc_text_size_large_material = 2131427404;
// aapt resource value: 0x7f0b004d
public const int abc_text_size_medium_material = 2131427405;
// aapt resource value: 0x7f0b004e
public const int abc_text_size_menu_header_material = 2131427406;
// aapt resource value: 0x7f0b004f
public const int abc_text_size_menu_material = 2131427407;
// aapt resource value: 0x7f0b0050
public const int abc_text_size_small_material = 2131427408;
// aapt resource value: 0x7f0b0051
public const int abc_text_size_subhead_material = 2131427409;
// aapt resource value: 0x7f0b000c
public const int abc_text_size_subtitle_material_toolbar = 2131427340;
// aapt resource value: 0x7f0b0052
public const int abc_text_size_title_material = 2131427410;
// aapt resource value: 0x7f0b000d
public const int abc_text_size_title_material_toolbar = 2131427341;
// aapt resource value: 0x7f0b00a3
public const int activity_horizontal_margin = 2131427491;
// aapt resource value: 0x7f0b00a4
public const int activity_vertical_margin = 2131427492;
// aapt resource value: 0x7f0b0006
public const int cardview_compat_inset_shadow = 2131427334;
// aapt resource value: 0x7f0b0007
public const int cardview_default_elevation = 2131427335;
// aapt resource value: 0x7f0b0008
public const int cardview_default_radius = 2131427336;
// aapt resource value: 0x7f0b008e
public const int compat_button_inset_horizontal_material = 2131427470;
// aapt resource value: 0x7f0b008f
public const int compat_button_inset_vertical_material = 2131427471;
// aapt resource value: 0x7f0b0090
public const int compat_button_padding_horizontal_material = 2131427472;
// aapt resource value: 0x7f0b0091
public const int compat_button_padding_vertical_material = 2131427473;
// aapt resource value: 0x7f0b0092
public const int compat_control_corner_material = 2131427474;
// aapt resource value: 0x7f0b006c
public const int design_appbar_elevation = 2131427436;
// aapt resource value: 0x7f0b006d
public const int design_bottom_navigation_active_item_max_width = 2131427437;
// aapt resource value: 0x7f0b006e
public const int design_bottom_navigation_active_text_size = 2131427438;
// aapt resource value: 0x7f0b006f
public const int design_bottom_navigation_elevation = 2131427439;
// aapt resource value: 0x7f0b0070
public const int design_bottom_navigation_height = 2131427440;
// aapt resource value: 0x7f0b0071
public const int design_bottom_navigation_item_max_width = 2131427441;
// aapt resource value: 0x7f0b0072
public const int design_bottom_navigation_item_min_width = 2131427442;
// aapt resource value: 0x7f0b0073
public const int design_bottom_navigation_margin = 2131427443;
// aapt resource value: 0x7f0b0074
public const int design_bottom_navigation_shadow_height = 2131427444;
// aapt resource value: 0x7f0b0075
public const int design_bottom_navigation_text_size = 2131427445;
// aapt resource value: 0x7f0b0076
public const int design_bottom_sheet_modal_elevation = 2131427446;
// aapt resource value: 0x7f0b0077
public const int design_bottom_sheet_peek_height_min = 2131427447;
// aapt resource value: 0x7f0b0078
public const int design_fab_border_width = 2131427448;
// aapt resource value: 0x7f0b0079
public const int design_fab_elevation = 2131427449;
// aapt resource value: 0x7f0b007a
public const int design_fab_image_size = 2131427450;
// aapt resource value: 0x7f0b007b
public const int design_fab_size_mini = 2131427451;
// aapt resource value: 0x7f0b007c
public const int design_fab_size_normal = 2131427452;
// aapt resource value: 0x7f0b007d
public const int design_fab_translation_z_pressed = 2131427453;
// aapt resource value: 0x7f0b007e
public const int design_navigation_elevation = 2131427454;
// aapt resource value: 0x7f0b007f
public const int design_navigation_icon_padding = 2131427455;
// aapt resource value: 0x7f0b0080
public const int design_navigation_icon_size = 2131427456;
// aapt resource value: 0x7f0b0064
public const int design_navigation_max_width = 2131427428;
// aapt resource value: 0x7f0b0081
public const int design_navigation_padding_bottom = 2131427457;
// aapt resource value: 0x7f0b0082
public const int design_navigation_separator_vertical_padding = 2131427458;
// aapt resource value: 0x7f0b0065
public const int design_snackbar_action_inline_max_width = 2131427429;
// aapt resource value: 0x7f0b0066
public const int design_snackbar_background_corner_radius = 2131427430;
// aapt resource value: 0x7f0b0083
public const int design_snackbar_elevation = 2131427459;
// aapt resource value: 0x7f0b0067
public const int design_snackbar_extra_spacing_horizontal = 2131427431;
// aapt resource value: 0x7f0b0068
public const int design_snackbar_max_width = 2131427432;
// aapt resource value: 0x7f0b0069
public const int design_snackbar_min_width = 2131427433;
// aapt resource value: 0x7f0b0084
public const int design_snackbar_padding_horizontal = 2131427460;
// aapt resource value: 0x7f0b0085
public const int design_snackbar_padding_vertical = 2131427461;
// aapt resource value: 0x7f0b006a
public const int design_snackbar_padding_vertical_2lines = 2131427434;
// aapt resource value: 0x7f0b0086
public const int design_snackbar_text_size = 2131427462;
// aapt resource value: 0x7f0b0087
public const int design_tab_max_width = 2131427463;
// aapt resource value: 0x7f0b006b
public const int design_tab_scrollable_min_width = 2131427435;
// aapt resource value: 0x7f0b0088
public const int design_tab_text_size = 2131427464;
// aapt resource value: 0x7f0b0089
public const int design_tab_text_size_2line = 2131427465;
// aapt resource value: 0x7f0b0053
public const int disabled_alpha_material_dark = 2131427411;
// aapt resource value: 0x7f0b0054
public const int disabled_alpha_material_light = 2131427412;
// aapt resource value: 0x7f0b00a2
public const int fab_elevation_lollipop = 2131427490;
// aapt resource value: 0x7f0b00a1
public const int fab_scroll_threshold = 2131427489;
// aapt resource value: 0x7f0b00a0
public const int fab_shadow_size = 2131427488;
// aapt resource value: 0x7f0b009f
public const int fab_size_mini = 2131427487;
// aapt resource value: 0x7f0b009e
public const int fab_size_normal = 2131427486;
// aapt resource value: 0x7f0b0000
public const int fastscroll_default_thickness = 2131427328;
// aapt resource value: 0x7f0b0001
public const int fastscroll_margin = 2131427329;
// aapt resource value: 0x7f0b0002
public const int fastscroll_minimum_range = 2131427330;
// aapt resource value: 0x7f0b0055
public const int highlight_alpha_material_colored = 2131427413;
// aapt resource value: 0x7f0b0056
public const int highlight_alpha_material_dark = 2131427414;
// aapt resource value: 0x7f0b0057
public const int highlight_alpha_material_light = 2131427415;
// aapt resource value: 0x7f0b0058
public const int hint_alpha_material_dark = 2131427416;
// aapt resource value: 0x7f0b0059
public const int hint_alpha_material_light = 2131427417;
// aapt resource value: 0x7f0b005a
public const int hint_pressed_alpha_material_dark = 2131427418;
// aapt resource value: 0x7f0b005b
public const int hint_pressed_alpha_material_light = 2131427419;
// aapt resource value: 0x7f0b0003
public const int item_touch_helper_max_drag_scroll_per_frame = 2131427331;
// aapt resource value: 0x7f0b0004
public const int item_touch_helper_swipe_escape_max_velocity = 2131427332;
// aapt resource value: 0x7f0b0005
public const int item_touch_helper_swipe_escape_velocity = 2131427333;
// aapt resource value: 0x7f0b0093
public const int notification_action_icon_size = 2131427475;
// aapt resource value: 0x7f0b0094
public const int notification_action_text_size = 2131427476;
// aapt resource value: 0x7f0b0095
public const int notification_big_circle_margin = 2131427477;
// aapt resource value: 0x7f0b008b
public const int notification_content_margin_start = 2131427467;
// aapt resource value: 0x7f0b0096
public const int notification_large_icon_height = 2131427478;
// aapt resource value: 0x7f0b0097
public const int notification_large_icon_width = 2131427479;
// aapt resource value: 0x7f0b008c
public const int notification_main_column_padding_top = 2131427468;
// aapt resource value: 0x7f0b008d
public const int notification_media_narrow_margin = 2131427469;
// aapt resource value: 0x7f0b0098
public const int notification_right_icon_size = 2131427480;
// aapt resource value: 0x7f0b008a
public const int notification_right_side_padding_top = 2131427466;
// aapt resource value: 0x7f0b0099
public const int notification_small_icon_background_padding = 2131427481;
// aapt resource value: 0x7f0b009a
public const int notification_small_icon_size_as_large = 2131427482;
// aapt resource value: 0x7f0b009b
public const int notification_subtext_size = 2131427483;
// aapt resource value: 0x7f0b009c
public const int notification_top_pad = 2131427484;
// aapt resource value: 0x7f0b009d
public const int notification_top_pad_large_text = 2131427485;
// aapt resource value: 0x7f0b00a8
public const int textL = 2131427496;
// aapt resource value: 0x7f0b00a7
public const int textM = 2131427495;
// aapt resource value: 0x7f0b00a6
public const int textS = 2131427494;
// aapt resource value: 0x7f0b00a5
public const int textT = 2131427493;
// aapt resource value: 0x7f0b00a9
public const int textXL = 2131427497;
// aapt resource value: 0x7f0b00aa
public const int textXXL = 2131427498;
// aapt resource value: 0x7f0b005c
public const int tooltip_corner_radius = 2131427420;
// aapt resource value: 0x7f0b005d
public const int tooltip_horizontal_padding = 2131427421;
// aapt resource value: 0x7f0b005e
public const int tooltip_margin = 2131427422;
// aapt resource value: 0x7f0b005f
public const int tooltip_precise_anchor_extra_offset = 2131427423;
// aapt resource value: 0x7f0b0060
public const int tooltip_precise_anchor_threshold = 2131427424;
// aapt resource value: 0x7f0b0061
public const int tooltip_vertical_padding = 2131427425;
// aapt resource value: 0x7f0b0062
public const int tooltip_y_offset_non_touch = 2131427426;
// aapt resource value: 0x7f0b0063
public const int tooltip_y_offset_touch = 2131427427;
static Dimension()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Dimension()
{
}
}
public partial class Drawable
{
// aapt resource value: 0x7f020000
public const int abc_ab_share_pack_mtrl_alpha = 2130837504;
// aapt resource value: 0x7f020001
public const int abc_action_bar_item_background_material = 2130837505;
// aapt resource value: 0x7f020002
public const int abc_btn_borderless_material = 2130837506;
// aapt resource value: 0x7f020003
public const int abc_btn_check_material = 2130837507;
// aapt resource value: 0x7f020004
public const int abc_btn_check_to_on_mtrl_000 = 2130837508;
// aapt resource value: 0x7f020005
public const int abc_btn_check_to_on_mtrl_015 = 2130837509;
// aapt resource value: 0x7f020006
public const int abc_btn_colored_material = 2130837510;
// aapt resource value: 0x7f020007
public const int abc_btn_default_mtrl_shape = 2130837511;
// aapt resource value: 0x7f020008
public const int abc_btn_radio_material = 2130837512;
// aapt resource value: 0x7f020009
public const int abc_btn_radio_to_on_mtrl_000 = 2130837513;
// aapt resource value: 0x7f02000a
public const int abc_btn_radio_to_on_mtrl_015 = 2130837514;
// aapt resource value: 0x7f02000b
public const int abc_btn_switch_to_on_mtrl_00001 = 2130837515;
// aapt resource value: 0x7f02000c
public const int abc_btn_switch_to_on_mtrl_00012 = 2130837516;
// aapt resource value: 0x7f02000d
public const int abc_cab_background_internal_bg = 2130837517;
// aapt resource value: 0x7f02000e
public const int abc_cab_background_top_material = 2130837518;
// aapt resource value: 0x7f02000f
public const int abc_cab_background_top_mtrl_alpha = 2130837519;
// aapt resource value: 0x7f020010
public const int abc_control_background_material = 2130837520;
// aapt resource value: 0x7f020011
public const int abc_dialog_material_background = 2130837521;
// aapt resource value: 0x7f020012
public const int abc_edit_text_material = 2130837522;
// aapt resource value: 0x7f020013
public const int abc_ic_ab_back_material = 2130837523;
// aapt resource value: 0x7f020014
public const int abc_ic_arrow_drop_right_black_24dp = 2130837524;
// aapt resource value: 0x7f020015
public const int abc_ic_clear_material = 2130837525;
// aapt resource value: 0x7f020016
public const int abc_ic_commit_search_api_mtrl_alpha = 2130837526;
// aapt resource value: 0x7f020017
public const int abc_ic_go_search_api_material = 2130837527;
// aapt resource value: 0x7f020018
public const int abc_ic_menu_copy_mtrl_am_alpha = 2130837528;
// aapt resource value: 0x7f020019
public const int abc_ic_menu_cut_mtrl_alpha = 2130837529;
// aapt resource value: 0x7f02001a
public const int abc_ic_menu_overflow_material = 2130837530;
// aapt resource value: 0x7f02001b
public const int abc_ic_menu_paste_mtrl_am_alpha = 2130837531;
// aapt resource value: 0x7f02001c
public const int abc_ic_menu_selectall_mtrl_alpha = 2130837532;
// aapt resource value: 0x7f02001d
public const int abc_ic_menu_share_mtrl_alpha = 2130837533;
// aapt resource value: 0x7f02001e
public const int abc_ic_search_api_material = 2130837534;
// aapt resource value: 0x7f02001f
public const int abc_ic_star_black_16dp = 2130837535;
// aapt resource value: 0x7f020020
public const int abc_ic_star_black_36dp = 2130837536;
// aapt resource value: 0x7f020021
public const int abc_ic_star_black_48dp = 2130837537;
// aapt resource value: 0x7f020022
public const int abc_ic_star_half_black_16dp = 2130837538;
// aapt resource value: 0x7f020023
public const int abc_ic_star_half_black_36dp = 2130837539;
// aapt resource value: 0x7f020024
public const int abc_ic_star_half_black_48dp = 2130837540;
// aapt resource value: 0x7f020025
public const int abc_ic_voice_search_api_material = 2130837541;
// aapt resource value: 0x7f020026
public const int abc_item_background_holo_dark = 2130837542;
// aapt resource value: 0x7f020027
public const int abc_item_background_holo_light = 2130837543;
// aapt resource value: 0x7f020028
public const int abc_list_divider_mtrl_alpha = 2130837544;
// aapt resource value: 0x7f020029
public const int abc_list_focused_holo = 2130837545;
// aapt resource value: 0x7f02002a
public const int abc_list_longpressed_holo = 2130837546;
// aapt resource value: 0x7f02002b
public const int abc_list_pressed_holo_dark = 2130837547;
// aapt resource value: 0x7f02002c
public const int abc_list_pressed_holo_light = 2130837548;
// aapt resource value: 0x7f02002d
public const int abc_list_selector_background_transition_holo_dark = 2130837549;
// aapt resource value: 0x7f02002e
public const int abc_list_selector_background_transition_holo_light = 2130837550;
// aapt resource value: 0x7f02002f
public const int abc_list_selector_disabled_holo_dark = 2130837551;
// aapt resource value: 0x7f020030
public const int abc_list_selector_disabled_holo_light = 2130837552;
// aapt resource value: 0x7f020031
public const int abc_list_selector_holo_dark = 2130837553;
// aapt resource value: 0x7f020032
public const int abc_list_selector_holo_light = 2130837554;
// aapt resource value: 0x7f020033
public const int abc_menu_hardkey_panel_mtrl_mult = 2130837555;
// aapt resource value: 0x7f020034
public const int abc_popup_background_mtrl_mult = 2130837556;
// aapt resource value: 0x7f020035
public const int abc_ratingbar_indicator_material = 2130837557;
// aapt resource value: 0x7f020036
public const int abc_ratingbar_material = 2130837558;
// aapt resource value: 0x7f020037
public const int abc_ratingbar_small_material = 2130837559;
// aapt resource value: 0x7f020038
public const int abc_scrubber_control_off_mtrl_alpha = 2130837560;
// aapt resource value: 0x7f020039
public const int abc_scrubber_control_to_pressed_mtrl_000 = 2130837561;
// aapt resource value: 0x7f02003a
public const int abc_scrubber_control_to_pressed_mtrl_005 = 2130837562;
// aapt resource value: 0x7f02003b
public const int abc_scrubber_primary_mtrl_alpha = 2130837563;
// aapt resource value: 0x7f02003c
public const int abc_scrubber_track_mtrl_alpha = 2130837564;
// aapt resource value: 0x7f02003d
public const int abc_seekbar_thumb_material = 2130837565;
// aapt resource value: 0x7f02003e
public const int abc_seekbar_tick_mark_material = 2130837566;
// aapt resource value: 0x7f02003f
public const int abc_seekbar_track_material = 2130837567;
// aapt resource value: 0x7f020040
public const int abc_spinner_mtrl_am_alpha = 2130837568;
// aapt resource value: 0x7f020041
public const int abc_spinner_textfield_background_material = 2130837569;
// aapt resource value: 0x7f020042
public const int abc_switch_thumb_material = 2130837570;
// aapt resource value: 0x7f020043
public const int abc_switch_track_mtrl_alpha = 2130837571;
// aapt resource value: 0x7f020044
public const int abc_tab_indicator_material = 2130837572;
// aapt resource value: 0x7f020045
public const int abc_tab_indicator_mtrl_alpha = 2130837573;
// aapt resource value: 0x7f020046
public const int abc_text_cursor_material = 2130837574;
// aapt resource value: 0x7f020047
public const int abc_text_select_handle_left_mtrl_dark = 2130837575;
// aapt resource value: 0x7f020048
public const int abc_text_select_handle_left_mtrl_light = 2130837576;
// aapt resource value: 0x7f020049
public const int abc_text_select_handle_middle_mtrl_dark = 2130837577;
// aapt resource value: 0x7f02004a
public const int abc_text_select_handle_middle_mtrl_light = 2130837578;
// aapt resource value: 0x7f02004b
public const int abc_text_select_handle_right_mtrl_dark = 2130837579;
// aapt resource value: 0x7f02004c
public const int abc_text_select_handle_right_mtrl_light = 2130837580;
// aapt resource value: 0x7f02004d
public const int abc_textfield_activated_mtrl_alpha = 2130837581;
// aapt resource value: 0x7f02004e
public const int abc_textfield_default_mtrl_alpha = 2130837582;
// aapt resource value: 0x7f02004f
public const int abc_textfield_search_activated_mtrl_alpha = 2130837583;
// aapt resource value: 0x7f020050
public const int abc_textfield_search_default_mtrl_alpha = 2130837584;
// aapt resource value: 0x7f020051
public const int abc_textfield_search_material = 2130837585;
// aapt resource value: 0x7f020052
public const int abc_vector_test = 2130837586;
// aapt resource value: 0x7f020053
public const int afyamobile = 2130837587;
// aapt resource value: 0x7f020054
public const int avd_hide_password = 2130837588;
// aapt resource value: 0x7f0200a5
public const int avd_hide_password_1 = 2130837669;
// aapt resource value: 0x7f0200a6
public const int avd_hide_password_2 = 2130837670;
// aapt resource value: 0x7f0200a7
public const int avd_hide_password_3 = 2130837671;
// aapt resource value: 0x7f020055
public const int avd_show_password = 2130837589;
// aapt resource value: 0x7f0200a8
public const int avd_show_password_1 = 2130837672;
// aapt resource value: 0x7f0200a9
public const int avd_show_password_2 = 2130837673;
// aapt resource value: 0x7f0200aa
public const int avd_show_password_3 = 2130837674;
// aapt resource value: 0x7f020056
public const int common_full_open_on_phone = 2130837590;
// aapt resource value: 0x7f020057
public const int common_google_signin_btn_icon_dark = 2130837591;
// aapt resource value: 0x7f020058
public const int common_google_signin_btn_icon_dark_focused = 2130837592;
// aapt resource value: 0x7f020059
public const int common_google_signin_btn_icon_dark_normal = 2130837593;
// aapt resource value: 0x7f02005a
public const int common_google_signin_btn_icon_dark_normal_background = 2130837594;
// aapt resource value: 0x7f02005b
public const int common_google_signin_btn_icon_disabled = 2130837595;
// aapt resource value: 0x7f02005c
public const int common_google_signin_btn_icon_light = 2130837596;
// aapt resource value: 0x7f02005d
public const int common_google_signin_btn_icon_light_focused = 2130837597;
// aapt resource value: 0x7f02005e
public const int common_google_signin_btn_icon_light_normal = 2130837598;
// aapt resource value: 0x7f02005f
public const int common_google_signin_btn_icon_light_normal_background = 2130837599;
// aapt resource value: 0x7f020060
public const int common_google_signin_btn_text_dark = 2130837600;
// aapt resource value: 0x7f020061
public const int common_google_signin_btn_text_dark_focused = 2130837601;
// aapt resource value: 0x7f020062
public const int common_google_signin_btn_text_dark_normal = 2130837602;
// aapt resource value: 0x7f020063
public const int common_google_signin_btn_text_dark_normal_background = 2130837603;
// aapt resource value: 0x7f020064
public const int common_google_signin_btn_text_disabled = 2130837604;
// aapt resource value: 0x7f020065
public const int common_google_signin_btn_text_light = 2130837605;
// aapt resource value: 0x7f020066
public const int common_google_signin_btn_text_light_focused = 2130837606;
// aapt resource value: 0x7f020067
public const int common_google_signin_btn_text_light_normal = 2130837607;
// aapt resource value: 0x7f020068
public const int common_google_signin_btn_text_light_normal_background = 2130837608;
// aapt resource value: 0x7f020069
public const int design_bottom_navigation_item_background = 2130837609;
// aapt resource value: 0x7f02006a
public const int design_fab_background = 2130837610;
// aapt resource value: 0x7f02006b
public const int design_ic_visibility = 2130837611;
// aapt resource value: 0x7f02006c
public const int design_ic_visibility_off = 2130837612;
// aapt resource value: 0x7f02006d
public const int design_password_eye = 2130837613;
// aapt resource value: 0x7f02006e
public const int design_snackbar_background = 2130837614;
// aapt resource value: 0x7f02006f
public const int fab_shadow = 2130837615;
// aapt resource value: 0x7f020070
public const int fab_shadow_mini = 2130837616;
// aapt resource value: 0x7f020071
public const int googleg_disabled_color_18 = 2130837617;
// aapt resource value: 0x7f020072
public const int googleg_standard_color_18 = 2130837618;
// aapt resource value: 0x7f020073
public const int ic_add = 2130837619;
// aapt resource value: 0x7f020074
public const int ic_clear = 2130837620;
// aapt resource value: 0x7f020075
public const int ic_cloud_done = 2130837621;
// aapt resource value: 0x7f020076
public const int ic_cloud_download = 2130837622;
// aapt resource value: 0x7f020077
public const int ic_couple = 2130837623;
// aapt resource value: 0x7f020078
public const int ic_couple_add = 2130837624;
// aapt resource value: 0x7f020079
public const int ic_create_new_folder = 2130837625;
// aapt resource value: 0x7f02007a
public const int ic_delete_forever = 2130837626;
// aapt resource value: 0x7f02007b
public const int ic_edit = 2130837627;
// aapt resource value: 0x7f02007c
public const int ic_errorstatus = 2130837628;
// aapt resource value: 0x7f02007d
public const int ic_facility = 2130837629;
// aapt resource value: 0x7f02007e
public const int ic_file_download = 2130837630;
// aapt resource value: 0x7f02007f
public const int ic_file_upload = 2130837631;
// aapt resource value: 0x7f020080
public const int ic_find_in_page = 2130837632;
// aapt resource value: 0x7f020081
public const int ic_folder_open = 2130837633;
// aapt resource value: 0x7f020082
public const int ic_livehts_logo = 2130837634;
// aapt resource value: 0x7f020083
public const int ic_newclient = 2130837635;
// aapt resource value: 0x7f020084
public const int ic_notification = 2130837636;
// aapt resource value: 0x7f020085
public const int ic_person_add = 2130837637;
// aapt resource value: 0x7f020086
public const int ic_phone_android = 2130837638;
// aapt resource value: 0x7f020087
public const int ic_psmart = 2130837639;
// aapt resource value: 0x7f020088
public const int ic_quit = 2130837640;
// aapt resource value: 0x7f020089
public const int ic_registry = 2130837641;
// aapt resource value: 0x7f02008a
public const int ic_reports = 2130837642;
// aapt resource value: 0x7f02008b
public const int ic_review = 2130837643;
// aapt resource value: 0x7f02008c
public const int ic_save = 2130837644;
// aapt resource value: 0x7f02008d
public const int ic_send = 2130837645;
// aapt resource value: 0x7f02008e
public const int ic_successstatus = 2130837646;
// aapt resource value: 0x7f02008f
public const int ic_summary = 2130837647;
// aapt resource value: 0x7f020090
public const int ic_update_modules = 2130837648;
// aapt resource value: 0x7f020091
public const int ic_warning = 2130837649;
// aapt resource value: 0x7f020092
public const int icon = 2130837650;
// aapt resource value: 0x7f020093
public const int navigation_empty_icon = 2130837651;
// aapt resource value: 0x7f020094
public const int notification_action_background = 2130837652;
// aapt resource value: 0x7f020095
public const int notification_bg = 2130837653;
// aapt resource value: 0x7f020096
public const int notification_bg_low = 2130837654;
// aapt resource value: 0x7f020097
public const int notification_bg_low_normal = 2130837655;
// aapt resource value: 0x7f020098
public const int notification_bg_low_pressed = 2130837656;
// aapt resource value: 0x7f020099
public const int notification_bg_normal = 2130837657;
// aapt resource value: 0x7f02009a
public const int notification_bg_normal_pressed = 2130837658;
// aapt resource value: 0x7f02009b
public const int notification_icon_background = 2130837659;
// aapt resource value: 0x7f0200a3
public const int notification_template_icon_bg = 2130837667;
// aapt resource value: 0x7f0200a4
public const int notification_template_icon_low_bg = 2130837668;
// aapt resource value: 0x7f02009c
public const int notification_tile_bg = 2130837660;
// aapt resource value: 0x7f02009d
public const int notify_panel_notification_icon_bg = 2130837661;
// aapt resource value: 0x7f02009e
public const int psts_background_tab = 2130837662;
// aapt resource value: 0x7f02009f
public const int roundedbg = 2130837663;
// aapt resource value: 0x7f0200a0
public const int roundedbgdark = 2130837664;
// aapt resource value: 0x7f0200a1
public const int tooltip_frame_dark = 2130837665;
// aapt resource value: 0x7f0200a2
public const int tooltip_frame_light = 2130837666;
static Drawable()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Drawable()
{
}
}
public partial class Id
{
// aapt resource value: 0x7f0c003e
public const int ALT = 2131492926;
// aapt resource value: 0x7f0c003f
public const int CTRL = 2131492927;
// aapt resource value: 0x7f0c0040
public const int FUNCTION = 2131492928;
// aapt resource value: 0x7f0c0041
public const int META = 2131492929;
// aapt resource value: 0x7f0c001c
public const int MvvmCrossTagId = 2131492892;
// aapt resource value: 0x7f0c001d
public const int MvxBindingTagUnique = 2131492893;
// aapt resource value: 0x7f0c0042
public const int SHIFT = 2131492930;
// aapt resource value: 0x7f0c0043
public const int SYM = 2131492931;
// aapt resource value: 0x7f0c012f
public const int action0 = 2131493167;
// aapt resource value: 0x7f0c0088
public const int action_bar = 2131493000;
// aapt resource value: 0x7f0c0001
public const int action_bar_activity_content = 2131492865;
// aapt resource value: 0x7f0c0087
public const int action_bar_container = 2131492999;
// aapt resource value: 0x7f0c0083
public const int action_bar_root = 2131492995;
// aapt resource value: 0x7f0c0002
public const int action_bar_spinner = 2131492866;
// aapt resource value: 0x7f0c0067
public const int action_bar_subtitle = 2131492967;
// aapt resource value: 0x7f0c0066
public const int action_bar_title = 2131492966;
// aapt resource value: 0x7f0c012c
public const int action_container = 2131493164;
// aapt resource value: 0x7f0c0089
public const int action_context_bar = 2131493001;
// aapt resource value: 0x7f0c0133
public const int action_divider = 2131493171;
// aapt resource value: 0x7f0c012d
public const int action_image = 2131493165;
// aapt resource value: 0x7f0c0003
public const int action_menu_divider = 2131492867;
// aapt resource value: 0x7f0c0004
public const int action_menu_presenter = 2131492868;
// aapt resource value: 0x7f0c0085
public const int action_mode_bar = 2131492997;
// aapt resource value: 0x7f0c0084
public const int action_mode_bar_stub = 2131492996;
// aapt resource value: 0x7f0c0068
public const int action_mode_close_button = 2131492968;
// aapt resource value: 0x7f0c012e
public const int action_text = 2131493166;
// aapt resource value: 0x7f0c013c
public const int actions = 2131493180;
// aapt resource value: 0x7f0c0069
public const int activity_chooser_view_content = 2131492969;
// aapt resource value: 0x7f0c0038
public const int add = 2131492920;
// aapt resource value: 0x7f0c0113
public const int addtest1 = 2131493139;
// aapt resource value: 0x7f0c0023
public const int adjust_height = 2131492899;
// aapt resource value: 0x7f0c0024
public const int adjust_width = 2131492900;
// aapt resource value: 0x7f0c007c
public const int alertTitle = 2131492988;
// aapt resource value: 0x7f0c005d
public const int all = 2131492957;
// aapt resource value: 0x7f0c0044
public const int always = 2131492932;
// aapt resource value: 0x7f0c0061
public const int async = 2131492961;
// aapt resource value: 0x7f0c0028
public const int auto = 2131492904;
// aapt resource value: 0x7f0c0098
public const int b00 = 2131493016;
// aapt resource value: 0x7f0c0099
public const int b01 = 2131493017;
// aapt resource value: 0x7f0c009a
public const int b02 = 2131493018;
// aapt resource value: 0x7f0c009c
public const int b10 = 2131493020;
// aapt resource value: 0x7f0c009b
public const int b11 = 2131493019;
// aapt resource value: 0x7f0c009e
public const int b12 = 2131493022;
// aapt resource value: 0x7f0c009f
public const int b20 = 2131493023;
// aapt resource value: 0x7f0c00a0
public const int b21 = 2131493024;
// aapt resource value: 0x7f0c00a1
public const int b22 = 2131493025;
// aapt resource value: 0x7f0c003b
public const int beginning = 2131492923;
// aapt resource value: 0x7f0c0062
public const int blocking = 2131492962;
// aapt resource value: 0x7f0c0065
public const int bold = 2131492965;
// aapt resource value: 0x7f0c0049
public const int bottom = 2131492937;
// aapt resource value: 0x7f0c00e1
public const int button = 2131493089;
// aapt resource value: 0x7f0c0110
public const int button1 = 2131493136;
// aapt resource value: 0x7f0c010e
public const int button2 = 2131493134;
// aapt resource value: 0x7f0c00b3
public const int buttonContactNext = 2131493043;
// aapt resource value: 0x7f0c00b2
public const int buttonContactPrev = 2131493042;
// aapt resource value: 0x7f0c00c2
public const int buttonDemographicNext = 2131493058;
// aapt resource value: 0x7f0c00c5
public const int buttonDemographicPrev = 2131493061;
// aapt resource value: 0x7f0c00df
public const int buttonEnrollmentNext = 2131493087;
// aapt resource value: 0x7f0c00de
public const int buttonEnrollmentPrev = 2131493086;
// aapt resource value: 0x7f0c006f
public const int buttonPanel = 2131492975;
// aapt resource value: 0x7f0c00f6
public const int buttonProfileNext = 2131493110;
// aapt resource value: 0x7f0c00f5
public const int buttonProfilePrev = 2131493109;
// aapt resource value: 0x7f0c0159
public const int buttonSave = 2131493209;
// aapt resource value: 0x7f0c00cc
public const int buttonSaveEncounter = 2131493068;
// aapt resource value: 0x7f0c0170
public const int buttonok = 2131493232;
// aapt resource value: 0x7f0c0165
public const int buttonread = 2131493221;
// aapt resource value: 0x7f0c0168
public const int buttontest = 2131493224;
// aapt resource value: 0x7f0c0166
public const int buttowrite = 2131493222;
// aapt resource value: 0x7f0c0130
public const int cancel_action = 2131493168;
// aapt resource value: 0x7f0c0050
public const int center = 2131492944;
// aapt resource value: 0x7f0c0051
public const int center_horizontal = 2131492945;
// aapt resource value: 0x7f0c0052
public const int center_vertical = 2131492946;
// aapt resource value: 0x7f0c007f
public const int checkbox = 2131492991;
// aapt resource value: 0x7f0c0138
public const int chronometer = 2131493176;
// aapt resource value: 0x7f0c0059
public const int clip_horizontal = 2131492953;
// aapt resource value: 0x7f0c005a
public const int clip_vertical = 2131492954;
// aapt resource value: 0x7f0c0045
public const int collapseActionView = 2131492933;
// aapt resource value: 0x7f0c00a2
public const int contactform = 2131493026;
// aapt resource value: 0x7f0c0102
public const int container = 2131493122;
// aapt resource value: 0x7f0c0072
public const int contentPanel = 2131492978;
// aapt resource value: 0x7f0c00f7
public const int content_frame = 2131493111;
// aapt resource value: 0x7f0c011f
public const int content_frame_link = 2131493151;
// aapt resource value: 0x7f0c0103
public const int coordinator = 2131493123;
// aapt resource value: 0x7f0c0079
public const int custom = 2131492985;
// aapt resource value: 0x7f0c0078
public const int customPanel = 2131492984;
// aapt resource value: 0x7f0c0029
public const int dark = 2131492905;
// aapt resource value: 0x7f0c0086
public const int decor_content_parent = 2131492998;
// aapt resource value: 0x7f0c006c
public const int default_activity_button = 2131492972;
// aapt resource value: 0x7f0c00b6
public const int demographicform = 2131493046;
// aapt resource value: 0x7f0c0105
public const int design_bottom_sheet = 2131493125;
// aapt resource value: 0x7f0c010c
public const int design_menu_item_action_area = 2131493132;
// aapt resource value: 0x7f0c010b
public const int design_menu_item_action_area_stub = 2131493131;
// aapt resource value: 0x7f0c010a
public const int design_menu_item_text = 2131493130;
// aapt resource value: 0x7f0c0109
public const int design_navigation_view = 2131493129;
// aapt resource value: 0x7f0c002d
public const int disableHome = 2131492909;
// aapt resource value: 0x7f0c0121
public const int editText = 2131493153;
// aapt resource value: 0x7f0c00d9
public const int editTextIdentifier = 2131493081;
// aapt resource value: 0x7f0c00eb
public const int editTextProfileKeyOtherPop = 2131493099;
// aapt resource value: 0x7f0c016d
public const int editTextRemarks = 2131493229;
// aapt resource value: 0x7f0c008a
public const int edit_query = 2131493002;
// aapt resource value: 0x7f0c00f8
public const int email = 2131493112;
// aapt resource value: 0x7f0c015f
public const int email_login_form = 2131493215;
// aapt resource value: 0x7f0c011e
public const int email_sign_in_button = 2131493150;
// aapt resource value: 0x7f0c003c
public const int end = 2131492924;
// aapt resource value: 0x7f0c013e
public const int end_padder = 2131493182;
// aapt resource value: 0x7f0c004b
public const int enterAlways = 2131492939;
// aapt resource value: 0x7f0c004c
public const int enterAlwaysCollapsed = 2131492940;
// aapt resource value: 0x7f0c004d
public const int exitUntilCollapsed = 2131492941;
// aapt resource value: 0x7f0c006a
public const int expand_activities_button = 2131492970;
// aapt resource value: 0x7f0c007e
public const int expanded_menu = 2131492990;
// aapt resource value: 0x7f0c00fd
public const int fab = 2131493117;
// aapt resource value: 0x7f0c00fe
public const int fab2 = 2131493118;
// aapt resource value: 0x7f0c0163
public const int fabSignInSetup = 2131493219;
// aapt resource value: 0x7f0c0112
public const int fabfamilymembers = 2131493138;
// aapt resource value: 0x7f0c00fb
public const int fabpartners = 2131493115;
// aapt resource value: 0x7f0c005b
public const int fill = 2131492955;
// aapt resource value: 0x7f0c005c
public const int fill_horizontal = 2131492956;
// aapt resource value: 0x7f0c0053
public const int fill_vertical = 2131492947;
// aapt resource value: 0x7f0c005f
public const int @fixed = 2131492959;
// aapt resource value: 0x7f0c00b8
public const int fname = 2131493048;
// aapt resource value: 0x7f0c0063
public const int forever = 2131492963;
// aapt resource value: 0x7f0c00bc
public const int gender = 2131493052;
// aapt resource value: 0x7f0c000a
public const int ghost_view = 2131492874;
// aapt resource value: 0x7f0c0097
public const int glGameBoard = 2131493015;
// aapt resource value: 0x7f0c0005
public const int home = 2131492869;
// aapt resource value: 0x7f0c002e
public const int homeAsUp = 2131492910;
// aapt resource value: 0x7f0c001e
public const int hybrid = 2131492894;
// aapt resource value: 0x7f0c006e
public const int icon = 2131492974;
// aapt resource value: 0x7f0c013d
public const int icon_group = 2131493181;
// aapt resource value: 0x7f0c0025
public const int icon_only = 2131492901;
// aapt resource value: 0x7f0c0046
public const int ifRoom = 2131492934;
// aapt resource value: 0x7f0c006b
public const int image = 2131492971;
// aapt resource value: 0x7f0c00f9
public const int imageButton = 2131493113;
// aapt resource value: 0x7f0c00fa
public const int imageButton2 = 2131493114;
// aapt resource value: 0x7f0c0160
public const int imageView = 2131493216;
// aapt resource value: 0x7f0c0139
public const int info = 2131493177;
// aapt resource value: 0x7f0c0064
public const int italic = 2131492964;
// aapt resource value: 0x7f0c0000
public const int item_touch_helper_previous_elevation = 2131492864;
// aapt resource value: 0x7f0c0101
public const int largeLabel = 2131493121;
// aapt resource value: 0x7f0c0054
public const int left = 2131492948;
// aapt resource value: 0x7f0c002a
public const int light = 2131492906;
// aapt resource value: 0x7f0c0017
public const int line1 = 2131492887;
// aapt resource value: 0x7f0c0018
public const int line3 = 2131492888;
// aapt resource value: 0x7f0c00c1
public const int linearLayoutAge = 2131493057;
// aapt resource value: 0x7f0c00a3
public const int linearLayoutContent = 2131493027;
// aapt resource value: 0x7f0c00bd
public const int linearLayoutGender = 2131493053;
// aapt resource value: 0x7f0c00b1
public const int linearLayoutNav = 2131493041;
// aapt resource value: 0x7f0c00cf
public const int linearLayoutVisitType = 2131493071;
// aapt resource value: 0x7f0c00fc
public const int list = 2131493116;
// aapt resource value: 0x7f0c002b
public const int listMode = 2131492907;
// aapt resource value: 0x7f0c006d
public const int list_item = 2131492973;
// aapt resource value: 0x7f0c0111
public const int listfamilymembers = 2131493137;
// aapt resource value: 0x7f0c015a
public const int listpartners = 2131493210;
// aapt resource value: 0x7f0c00ba
public const int lname = 2131493050;
// aapt resource value: 0x7f0c0124
public const int loadingImage = 2131493156;
// aapt resource value: 0x7f0c0122
public const int loadingProgressBar = 2131493154;
// aapt resource value: 0x7f0c0125
public const int loadingProgressWheel = 2131493157;
// aapt resource value: 0x7f0c0162
public const int login = 2131493218;
// aapt resource value: 0x7f0c015e
public const int login_form = 2131493214;
// aapt resource value: 0x7f0c00d1
public const int lvobs = 2131493073;
// aapt resource value: 0x7f0c0172
public const int masked = 2131493234;
// aapt resource value: 0x7f0c0132
public const int media_actions = 2131493170;
// aapt resource value: 0x7f0c016f
public const int message = 2131493231;
// aapt resource value: 0x7f0c003d
public const int middle = 2131492925;
// aapt resource value: 0x7f0c005e
public const int mini = 2131492958;
// aapt resource value: 0x7f0c00b9
public const int mname = 2131493049;
// aapt resource value: 0x7f0c0033
public const int multiply = 2131492915;
// aapt resource value: 0x7f0c0127
public const int mvxSpinner1 = 2131493159;
// aapt resource value: 0x7f0c0108
public const int navigation_header_container = 2131493128;
// aapt resource value: 0x7f0c0047
public const int never = 2131492935;
// aapt resource value: 0x7f0c00bb
public const int nickname = 2131493051;
// aapt resource value: 0x7f0c001f
public const int none = 2131492895;
// aapt resource value: 0x7f0c0020
public const int normal = 2131492896;
// aapt resource value: 0x7f0c013b
public const int notification_background = 2131493179;
// aapt resource value: 0x7f0c0135
public const int notification_main_column = 2131493173;
// aapt resource value: 0x7f0c0134
public const int notification_main_column_container = 2131493172;
// aapt resource value: 0x7f0c0057
public const int parallax = 2131492951;
// aapt resource value: 0x7f0c0071
public const int parentPanel = 2131492977;
// aapt resource value: 0x7f0c000b
public const int parent_matrix = 2131492875;
// aapt resource value: 0x7f0c0161
public const int password = 2131493217;
// aapt resource value: 0x7f0c0058
public const int pin = 2131492952;
// aapt resource value: 0x7f0c015d
public const int progressBar = 2131493213;
// aapt resource value: 0x7f0c0006
public const int progress_circular = 2131492870;
// aapt resource value: 0x7f0c0007
public const int progress_horizontal = 2131492871;
// aapt resource value: 0x7f0c015c
public const int psts_tab_title = 2131493212;
// aapt resource value: 0x7f0c0081
public const int radio = 2131492993;
// aapt resource value: 0x7f0c011d
public const int regimageView = 2131493149;
// aapt resource value: 0x7f0c011c
public const int regimageViewW = 2131493148;
// aapt resource value: 0x7f0c0164
public const int relativeLayout1 = 2131493220;
// aapt resource value: 0x7f0c0167
public const int relativeLayoutx1 = 2131493223;
// aapt resource value: 0x7f0c0055
public const int right = 2131492949;
// aapt resource value: 0x7f0c013a
public const int right_icon = 2131493178;
// aapt resource value: 0x7f0c0136
public const int right_side = 2131493174;
// aapt resource value: 0x7f0c0021
public const int satellite = 2131492897;
// aapt resource value: 0x7f0c000c
public const int save_image_matrix = 2131492876;
// aapt resource value: 0x7f0c000d
public const int save_non_transition_alpha = 2131492877;
// aapt resource value: 0x7f0c000e
public const int save_scale_type = 2131492878;
// aapt resource value: 0x7f0c0034
public const int screen = 2131492916;
// aapt resource value: 0x7f0c004e
public const int scroll = 2131492942;
// aapt resource value: 0x7f0c0077
public const int scrollIndicatorDown = 2131492983;
// aapt resource value: 0x7f0c0073
public const int scrollIndicatorUp = 2131492979;
// aapt resource value: 0x7f0c0074
public const int scrollView = 2131492980;
// aapt resource value: 0x7f0c0060
public const int scrollable = 2131492960;
// aapt resource value: 0x7f0c008c
public const int search_badge = 2131493004;
// aapt resource value: 0x7f0c008b
public const int search_bar = 2131493003;
// aapt resource value: 0x7f0c008d
public const int search_button = 2131493005;
// aapt resource value: 0x7f0c0092
public const int search_close_btn = 2131493010;
// aapt resource value: 0x7f0c008e
public const int search_edit_frame = 2131493006;
// aapt resource value: 0x7f0c0094
public const int search_go_btn = 2131493012;
// aapt resource value: 0x7f0c008f
public const int search_mag_icon = 2131493007;
// aapt resource value: 0x7f0c0090
public const int search_plate = 2131493008;
// aapt resource value: 0x7f0c0091
public const int search_src_text = 2131493009;
// aapt resource value: 0x7f0c0095
public const int search_voice_btn = 2131493013;
// aapt resource value: 0x7f0c0096
public const int select_dialog_listview = 2131493014;
// aapt resource value: 0x7f0c0080
public const int shortcut = 2131492992;
// aapt resource value: 0x7f0c002f
public const int showCustom = 2131492911;
// aapt resource value: 0x7f0c0030
public const int showHome = 2131492912;
// aapt resource value: 0x7f0c0031
public const int showTitle = 2131492913;
// aapt resource value: 0x7f0c0100
public const int smallLabel = 2131493120;
// aapt resource value: 0x7f0c0107
public const int snackbar_action = 2131493127;
// aapt resource value: 0x7f0c0106
public const int snackbar_text = 2131493126;
// aapt resource value: 0x7f0c004f
public const int snap = 2131492943;
// aapt resource value: 0x7f0c0070
public const int spacer = 2131492976;
// aapt resource value: 0x7f0c00e0
public const int spinner = 2131493088;
// aapt resource value: 0x7f0c0115
public const int spinner11 = 2131493141;
// aapt resource value: 0x7f0c0117
public const int spinner33 = 2131493143;
// aapt resource value: 0x7f0c0119
public const int spinner44 = 2131493145;
// aapt resource value: 0x7f0c011b
public const int spinner56 = 2131493147;
// aapt resource value: 0x7f0c016a
public const int spinner576 = 2131493226;
// aapt resource value: 0x7f0c016c
public const int spinner756 = 2131493228;
// aapt resource value: 0x7f0c0158
public const int spinnerBookingDate = 2131493208;
// aapt resource value: 0x7f0c00ef
public const int spinnerCompletion = 2131493103;
// aapt resource value: 0x7f0c00a8
public const int spinnerCounties = 2131493032;
// aapt resource value: 0x7f0c00ed
public const int spinnerEducation = 2131493101;
// aapt resource value: 0x7f0c012b
public const int spinnerEligibility = 2131493163;
// aapt resource value: 0x7f0c0129
public const int spinnerHIVStatus = 2131493161;
// aapt resource value: 0x7f0c014c
public const int spinnerIPVOutcome = 2131493196;
// aapt resource value: 0x7f0c00d7
public const int spinnerIdentifierType = 2131493079;
// aapt resource value: 0x7f0c00e9
public const int spinnerKeyPop = 2131493097;
// aapt resource value: 0x7f0c016e
public const int spinnerKit = 2131493230;
// aapt resource value: 0x7f0c0150
public const int spinnerLivingWithClient = 2131493200;
// aapt resource value: 0x7f0c00e6
public const int spinnerMaritalStatus = 2131493094;
// aapt resource value: 0x7f0c00f1
public const int spinnerOccupation = 2131493105;
// aapt resource value: 0x7f0c0152
public const int spinnerPNSApproach = 2131493202;
// aapt resource value: 0x7f0c014e
public const int spinnerPNSRealtionship = 2131493198;
// aapt resource value: 0x7f0c0146
public const int spinnerPhysicalAssult = 2131493190;
// aapt resource value: 0x7f0c0142
public const int spinnerPnsAccepted = 2131493186;
// aapt resource value: 0x7f0c00d5
public const int spinnerPractice = 2131493077;
// aapt resource value: 0x7f0c00db
public const int spinnerRegistrationDate = 2131493083;
// aapt resource value: 0x7f0c00f3
public const int spinnerRelationshipType = 2131493107;
// aapt resource value: 0x7f0c015b
public const int spinnerReminderDate = 2131493211;
// aapt resource value: 0x7f0c0144
public const int spinnerScreening = 2131493188;
// aapt resource value: 0x7f0c014a
public const int spinnerSexuallyUncomfortable = 2131493194;
// aapt resource value: 0x7f0c00aa
public const int spinnerSubCounties = 2131493034;
// aapt resource value: 0x7f0c00b4
public const int spinnerSubWards = 2131493044;
// aapt resource value: 0x7f0c0148
public const int spinnerThreatened = 2131493192;
// aapt resource value: 0x7f0c00ac
public const int spinnerWards = 2131493036;
// aapt resource value: 0x7f0c0008
public const int split_action_bar = 2131492872;
// aapt resource value: 0x7f0c0035
public const int src_atop = 2131492917;
// aapt resource value: 0x7f0c0036
public const int src_in = 2131492918;
// aapt resource value: 0x7f0c0037
public const int src_over = 2131492919;
// aapt resource value: 0x7f0c0026
public const int standard = 2131492902;
// aapt resource value: 0x7f0c0056
public const int start = 2131492950;
// aapt resource value: 0x7f0c0131
public const int status_bar_latest_event_content = 2131493169;
// aapt resource value: 0x7f0c0082
public const int submenuarrow = 2131492994;
// aapt resource value: 0x7f0c0093
public const int submit_area = 2131493011;
// aapt resource value: 0x7f0c002c
public const int tabMode = 2131492908;
// aapt resource value: 0x7f0c0022
public const int terrain = 2131492898;
// aapt resource value: 0x7f0c0019
public const int text = 2131492889;
// aapt resource value: 0x7f0c001a
public const int text2 = 2131492890;
// aapt resource value: 0x7f0c0155
public const int textReason = 2131493205;
// aapt resource value: 0x7f0c0076
public const int textSpacerNoButtons = 2131492982;
// aapt resource value: 0x7f0c0075
public const int textSpacerNoTitle = 2131492981;
// aapt resource value: 0x7f0c009d
public const int textView = 2131493021;
// aapt resource value: 0x7f0c0126
public const int textView1 = 2131493158;
// aapt resource value: 0x7f0c0114
public const int textView11 = 2131493140;
// aapt resource value: 0x7f0c013f
public const int textView2 = 2131493183;
// aapt resource value: 0x7f0c0116
public const int textView22 = 2131493142;
// aapt resource value: 0x7f0c0140
public const int textView3 = 2131493184;
// aapt resource value: 0x7f0c00e2
public const int textView4 = 2131493090;
// aapt resource value: 0x7f0c0118
public const int textView444 = 2131493144;
// aapt resource value: 0x7f0c011a
public const int textView46 = 2131493146;
// aapt resource value: 0x7f0c016b
public const int textView486 = 2131493227;
// aapt resource value: 0x7f0c0169
public const int textView496 = 2131493225;
// aapt resource value: 0x7f0c00b0
public const int textViewAddressId = 2131493040;
// aapt resource value: 0x7f0c00ca
public const int textViewClientAge = 2131493066;
// aapt resource value: 0x7f0c00c6
public const int textViewClientFirstName = 2131493062;
// aapt resource value: 0x7f0c00c9
public const int textViewClientGender = 2131493065;
// aapt resource value: 0x7f0c00c8
public const int textViewClientLastName = 2131493064;
// aapt resource value: 0x7f0c00c7
public const int textViewClientMiddleName = 2131493063;
// aapt resource value: 0x7f0c0156
public const int textViewConsent = 2131493206;
// aapt resource value: 0x7f0c00a5
public const int textViewContactClientInfo = 2131493029;
// aapt resource value: 0x7f0c00af
public const int textViewContactId = 2131493039;
// aapt resource value: 0x7f0c00ae
public const int textViewContactPersonId = 2131493038;
// aapt resource value: 0x7f0c00a4
public const int textViewContactTitle = 2131493028;
// aapt resource value: 0x7f0c00a7
public const int textViewConties = 2131493031;
// aapt resource value: 0x7f0c00b7
public const int textViewDemographicTitle = 2131493047;
// aapt resource value: 0x7f0c012a
public const int textViewEligibility = 2131493162;
// aapt resource value: 0x7f0c00dc
public const int textViewEnrollmentClientId = 2131493084;
// aapt resource value: 0x7f0c00d3
public const int textViewEnrollmentClientInfo = 2131493075;
// aapt resource value: 0x7f0c00dd
public const int textViewEnrollmentId = 2131493085;
// aapt resource value: 0x7f0c00d2
public const int textViewEnrollmentTitle = 2131493074;
// aapt resource value: 0x7f0c0153
public const int textViewError = 2131493203;
// aapt resource value: 0x7f0c00cd
public const int textViewErrors = 2131493069;
// aapt resource value: 0x7f0c00cb
public const int textViewForm = 2131493067;
// aapt resource value: 0x7f0c00be
public const int textViewGender = 2131493054;
// aapt resource value: 0x7f0c0128
public const int textViewHIVStatus = 2131493160;
// aapt resource value: 0x7f0c00b5
public const int textViewHTS = 2131493045;
// aapt resource value: 0x7f0c014b
public const int textViewIPVOutcome = 2131493195;
// aapt resource value: 0x7f0c00d8
public const int textViewIdentifier = 2131493080;
// aapt resource value: 0x7f0c00d6
public const int textViewIdentifierType = 2131493078;
// aapt resource value: 0x7f0c00f2
public const int textViewIndexClient = 2131493106;
// aapt resource value: 0x7f0c0154
public const int textViewKit = 2131493204;
// aapt resource value: 0x7f0c014f
public const int textViewLivingWithClient = 2131493199;
// aapt resource value: 0x7f0c0151
public const int textViewPNSApproach = 2131493201;
// aapt resource value: 0x7f0c014d
public const int textViewPNSRealtionship = 2131493197;
// aapt resource value: 0x7f0c00c4
public const int textViewPersonId = 2131493060;
// aapt resource value: 0x7f0c0145
public const int textViewPhysicalAssult = 2131493189;
// aapt resource value: 0x7f0c0141
public const int textViewPnsAccepted = 2131493185;
// aapt resource value: 0x7f0c00d4
public const int textViewPractice = 2131493076;
// aapt resource value: 0x7f0c010f
public const int textViewPracticeId = 2131493135;
// aapt resource value: 0x7f0c00f4
public const int textViewProfileClientId = 2131493108;
// aapt resource value: 0x7f0c00e4
public const int textViewProfileClientInfo = 2131493092;
// aapt resource value: 0x7f0c00ee
public const int textViewProfileCompletion = 2131493102;
// aapt resource value: 0x7f0c00ec
public const int textViewProfileEductaion = 2131493100;
// aapt resource value: 0x7f0c00e7
public const int textViewProfileKeyPop = 2131493095;
// aapt resource value: 0x7f0c00e8
public const int textViewProfileKeyPopCat = 2131493096;
// aapt resource value: 0x7f0c00e5
public const int textViewProfileMaritalStatus = 2131493093;
// aapt resource value: 0x7f0c00f0
public const int textViewProfileOccupation = 2131493104;
// aapt resource value: 0x7f0c00ea
public const int textViewProfileOtherKeyPop = 2131493098;
// aapt resource value: 0x7f0c00e3
public const int textViewProfileTitle = 2131493091;
// aapt resource value: 0x7f0c00da
public const int textViewRegistrationDate = 2131493082;
// aapt resource value: 0x7f0c0157
public const int textViewReminder = 2131493207;
// aapt resource value: 0x7f0c0143
public const int textViewScreening = 2131493187;
// aapt resource value: 0x7f0c0149
public const int textViewSexuallyUncomfortable = 2131493193;
// aapt resource value: 0x7f0c0123
public const int textViewStatus = 2131493155;
// aapt resource value: 0x7f0c00a9
public const int textViewSubConties = 2131493033;
// aapt resource value: 0x7f0c0147
public const int textViewThreatened = 2131493191;
// aapt resource value: 0x7f0c00ab
public const int textViewWards = 2131493035;
// aapt resource value: 0x7f0c010d
public const int text_input_password_toggle = 2131493133;
// aapt resource value: 0x7f0c0014
public const int textinput_counter = 2131492884;
// aapt resource value: 0x7f0c0015
public const int textinput_error = 2131492885;
// aapt resource value: 0x7f0c0137
public const int time = 2131493175;
// aapt resource value: 0x7f0c001b
public const int title = 2131492891;
// aapt resource value: 0x7f0c007d
public const int titleDividerNoCustom = 2131492989;
// aapt resource value: 0x7f0c007b
public const int title_template = 2131492987;
// aapt resource value: 0x7f0c004a
public const int top = 2131492938;
// aapt resource value: 0x7f0c007a
public const int topPanel = 2131492986;
// aapt resource value: 0x7f0c0104
public const int touch_outside = 2131493124;
// aapt resource value: 0x7f0c000f
public const int transition_current_scene = 2131492879;
// aapt resource value: 0x7f0c0010
public const int transition_layout_save = 2131492880;
// aapt resource value: 0x7f0c0011
public const int transition_position = 2131492881;
// aapt resource value: 0x7f0c0012
public const int transition_scene_layoutid_cache = 2131492882;
// aapt resource value: 0x7f0c0013
public const int transition_transform = 2131492883;
// aapt resource value: 0x7f0c00ce
public const int txtTestDate = 2131493070;
// aapt resource value: 0x7f0c00c0
public const int txtage = 2131493056;
// aapt resource value: 0x7f0c00ad
public const int txtageLandmark = 2131493037;
// aapt resource value: 0x7f0c00a6
public const int txtageTelephone = 2131493030;
// aapt resource value: 0x7f0c00c3
public const int txtageUnit = 2131493059;
// aapt resource value: 0x7f0c00bf
public const int txtbirthdate = 2131493055;
// aapt resource value: 0x7f0c0039
public const int uniform = 2131492921;
// aapt resource value: 0x7f0c0009
public const int up = 2131492873;
// aapt resource value: 0x7f0c0032
public const int useLogo = 2131492914;
// aapt resource value: 0x7f0c0016
public const int view_offset_helper = 2131492886;
// aapt resource value: 0x7f0c00ff
public const int viewpager = 2131493119;
// aapt resource value: 0x7f0c0120
public const int viewpagerlink = 2131493152;
// aapt resource value: 0x7f0c0171
public const int visible = 2131493233;
// aapt resource value: 0x7f0c00d0
public const int visitType = 2131493072;
// aapt resource value: 0x7f0c0027
public const int wide = 2131492903;
// aapt resource value: 0x7f0c0048
public const int withText = 2131492936;
// aapt resource value: 0x7f0c003a
public const int wrap_content = 2131492922;
static Id()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Id()
{
}
}
public partial class Integer
{
// aapt resource value: 0x7f080001
public const int abc_config_activityDefaultDur = 2131230721;
// aapt resource value: 0x7f080002
public const int abc_config_activityShortDur = 2131230722;
// aapt resource value: 0x7f080006
public const int app_bar_elevation_anim_duration = 2131230726;
// aapt resource value: 0x7f080007
public const int bottom_sheet_slide_duration = 2131230727;
// aapt resource value: 0x7f080003
public const int cancel_button_image_alpha = 2131230723;
// aapt resource value: 0x7f080004
public const int config_tooltipAnimTime = 2131230724;
// aapt resource value: 0x7f080005
public const int design_snackbar_text_max_lines = 2131230725;
// aapt resource value: 0x7f080000
public const int google_play_services_version = 2131230720;
// aapt resource value: 0x7f080008
public const int hide_password_duration = 2131230728;
// aapt resource value: 0x7f080009
public const int show_password_duration = 2131230729;
// aapt resource value: 0x7f08000a
public const int status_bar_notification_info_maxnum = 2131230730;
static Integer()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Integer()
{
}
}
public partial class Layout
{
// aapt resource value: 0x7f040000
public const int abc_action_bar_title_item = 2130968576;
// aapt resource value: 0x7f040001
public const int abc_action_bar_up_container = 2130968577;
// aapt resource value: 0x7f040002
public const int abc_action_bar_view_list_nav_layout = 2130968578;
// aapt resource value: 0x7f040003
public const int abc_action_menu_item_layout = 2130968579;
// aapt resource value: 0x7f040004
public const int abc_action_menu_layout = 2130968580;
// aapt resource value: 0x7f040005
public const int abc_action_mode_bar = 2130968581;
// aapt resource value: 0x7f040006
public const int abc_action_mode_close_item_material = 2130968582;
// aapt resource value: 0x7f040007
public const int abc_activity_chooser_view = 2130968583;
// aapt resource value: 0x7f040008
public const int abc_activity_chooser_view_list_item = 2130968584;
// aapt resource value: 0x7f040009
public const int abc_alert_dialog_button_bar_material = 2130968585;
// aapt resource value: 0x7f04000a
public const int abc_alert_dialog_material = 2130968586;
// aapt resource value: 0x7f04000b
public const int abc_alert_dialog_title_material = 2130968587;
// aapt resource value: 0x7f04000c
public const int abc_dialog_title_material = 2130968588;
// aapt resource value: 0x7f04000d
public const int abc_expanded_menu_layout = 2130968589;
// aapt resource value: 0x7f04000e
public const int abc_list_menu_item_checkbox = 2130968590;
// aapt resource value: 0x7f04000f
public const int abc_list_menu_item_icon = 2130968591;
// aapt resource value: 0x7f040010
public const int abc_list_menu_item_layout = 2130968592;
// aapt resource value: 0x7f040011
public const int abc_list_menu_item_radio = 2130968593;
// aapt resource value: 0x7f040012
public const int abc_popup_menu_header_item_layout = 2130968594;
// aapt resource value: 0x7f040013
public const int abc_popup_menu_item_layout = 2130968595;
// aapt resource value: 0x7f040014
public const int abc_screen_content_include = 2130968596;
// aapt resource value: 0x7f040015
public const int abc_screen_simple = 2130968597;
// aapt resource value: 0x7f040016
public const int abc_screen_simple_overlay_action_mode = 2130968598;
// aapt resource value: 0x7f040017
public const int abc_screen_toolbar = 2130968599;
// aapt resource value: 0x7f040018
public const int abc_search_dropdown_item_icons_2line = 2130968600;
// aapt resource value: 0x7f040019
public const int abc_search_view = 2130968601;
// aapt resource value: 0x7f04001a
public const int abc_select_dialog_material = 2130968602;
// aapt resource value: 0x7f04001b
public const int AppDashboardView = 2130968603;
// aapt resource value: 0x7f04001c
public const int ClientContactView = 2130968604;
// aapt resource value: 0x7f04001d
public const int ClientDashboardView = 2130968605;
// aapt resource value: 0x7f04001e
public const int ClientDemographicView = 2130968606;
// aapt resource value: 0x7f04001f
public const int ClientEncounterView = 2130968607;
// aapt resource value: 0x7f040020
public const int ClientEnrollmentView = 2130968608;
// aapt resource value: 0x7f040021
public const int ClientHIVTestView = 2130968609;
// aapt resource value: 0x7f040022
public const int ClientProfileView = 2130968610;
// aapt resource value: 0x7f040023
public const int ClientRegistrationView = 2130968611;
// aapt resource value: 0x7f040024
public const int ClientRelationshipsView = 2130968612;
// aapt resource value: 0x7f040025
public const int CohortClientsView = 2130968613;
// aapt resource value: 0x7f040026
public const int CohortView = 2130968614;
// aapt resource value: 0x7f040027
public const int CounsellingView = 2130968615;
// aapt resource value: 0x7f040028
public const int DashboardView = 2130968616;
// aapt resource value: 0x7f040029
public const int design_bottom_navigation_item = 2130968617;
// aapt resource value: 0x7f04002a
public const int design_bottom_sheet_dialog = 2130968618;
// aapt resource value: 0x7f04002b
public const int design_layout_snackbar = 2130968619;
// aapt resource value: 0x7f04002c
public const int design_layout_snackbar_include = 2130968620;
// aapt resource value: 0x7f04002d
public const int design_layout_tab_icon = 2130968621;
// aapt resource value: 0x7f04002e
public const int design_layout_tab_text = 2130968622;
// aapt resource value: 0x7f04002f
public const int design_menu_item_action_area = 2130968623;
// aapt resource value: 0x7f040030
public const int design_navigation_item = 2130968624;
// aapt resource value: 0x7f040031
public const int design_navigation_item_header = 2130968625;
// aapt resource value: 0x7f040032
public const int design_navigation_item_separator = 2130968626;
// aapt resource value: 0x7f040033
public const int design_navigation_item_subheader = 2130968627;
// aapt resource value: 0x7f040034
public const int design_navigation_menu = 2130968628;
// aapt resource value: 0x7f040035
public const int design_navigation_menu_item = 2130968629;
// aapt resource value: 0x7f040036
public const int design_text_input_password_icon = 2130968630;
// aapt resource value: 0x7f040037
public const int DeviceSetupView = 2130968631;
// aapt resource value: 0x7f040038
public const int EncounterView = 2130968632;
// aapt resource value: 0x7f040039
public const int FacilitySetupView = 2130968633;
// aapt resource value: 0x7f04003a
public const int FamilyMemberView = 2130968634;
// aapt resource value: 0x7f04003b
public const int FirstHIVTestView = 2130968635;
// aapt resource value: 0x7f04003c
public const int FirstTestEpisodeView = 2130968636;
// aapt resource value: 0x7f04003d
public const int HIVTestView = 2130968637;
// aapt resource value: 0x7f04003e
public const int InterviewView = 2130968638;
// aapt resource value: 0x7f04003f
public const int Item_Client = 2130968639;
// aapt resource value: 0x7f040040
public const int Item_Client_FamilyMember = 2130968640;
// aapt resource value: 0x7f040041
public const int Item_Client_Partner = 2130968641;
// aapt resource value: 0x7f040042
public const int Item_Client_Summary = 2130968642;
// aapt resource value: 0x7f040043
public const int Item_ClientId = 2130968643;
// aapt resource value: 0x7f040044
public const int Item_Cohort = 2130968644;
// aapt resource value: 0x7f040045
public const int Item_Encounter = 2130968645;
// aapt resource value: 0x7f040046
public const int Item_FamilyTrace = 2130968646;
// aapt resource value: 0x7f040047
public const int Item_Form = 2130968647;
// aapt resource value: 0x7f040048
public const int Item_Gender = 2130968648;
// aapt resource value: 0x7f040049
public const int Item_Module = 2130968649;
// aapt resource value: 0x7f04004a
public const int Item_Partner = 2130968650;
// aapt resource value: 0x7f04004b
public const int Item_Question = 2130968651;
// aapt resource value: 0x7f04004c
public const int Item_Search_Partner = 2130968652;
// aapt resource value: 0x7f04004d
public const int Item_Summary = 2130968653;
// aapt resource value: 0x7f04004e
public const int Item_Test = 2130968654;
// aapt resource value: 0x7f04004f
public const int Item_Trace = 2130968655;
// aapt resource value: 0x7f040050
public const int Item_VisitType = 2130968656;
// aapt resource value: 0x7f040051
public const int LinkageView = 2130968657;
// aapt resource value: 0x7f040052
public const int LinkedToCareView = 2130968658;
// aapt resource value: 0x7f040053
public const int loading = 2130968659;
// aapt resource value: 0x7f040054
public const int loadingimage = 2130968660;
// aapt resource value: 0x7f040055
public const int loadingprogress = 2130968661;
// aapt resource value: 0x7f040056
public const int MainView = 2130968662;
// aapt resource value: 0x7f040057
public const int MemberScreeningView = 2130968663;
// aapt resource value: 0x7f040058
public const int MemberTracingView = 2130968664;
// aapt resource value: 0x7f040059
public const int notification_action = 2130968665;
// aapt resource value: 0x7f04005a
public const int notification_action_tombstone = 2130968666;
// aapt resource value: 0x7f04005b
public const int notification_media_action = 2130968667;
// aapt resource value: 0x7f04005c
public const int notification_media_cancel_action = 2130968668;
// aapt resource value: 0x7f04005d
public const int notification_template_big_media = 2130968669;
// aapt resource value: 0x7f04005e
public const int notification_template_big_media_custom = 2130968670;
// aapt resource value: 0x7f04005f
public const int notification_template_big_media_narrow = 2130968671;
// aapt resource value: 0x7f040060
public const int notification_template_big_media_narrow_custom = 2130968672;
// aapt resource value: 0x7f040061
public const int notification_template_custom_big = 2130968673;
// aapt resource value: 0x7f040062
public const int notification_template_icon_group = 2130968674;
// aapt resource value: 0x7f040063
public const int notification_template_lines_media = 2130968675;
// aapt resource value: 0x7f040064
public const int notification_template_media = 2130968676;
// aapt resource value: 0x7f040065
public const int notification_template_media_custom = 2130968677;
// aapt resource value: 0x7f040066
public const int notification_template_part_chronometer = 2130968678;
// aapt resource value: 0x7f040067
public const int notification_template_part_time = 2130968679;
// aapt resource value: 0x7f040068
public const int Obs_Item_Multi = 2130968680;
// aapt resource value: 0x7f040069
public const int Obs_Item_Multi_D = 2130968681;
// aapt resource value: 0x7f04006a
public const int Obs_Item_Multi_S = 2130968682;
// aapt resource value: 0x7f04006b
public const int Obs_Item_Single = 2130968683;
// aapt resource value: 0x7f04006c
public const int Obs_Single = 2130968684;
// aapt resource value: 0x7f04006d
public const int ObsActivity = 2130968685;
// aapt resource value: 0x7f04006e
public const int PartnerScreeningView = 2130968686;
// aapt resource value: 0x7f04006f
public const int PartnerTraceView = 2130968687;
// aapt resource value: 0x7f040070
public const int PartnerTracingView = 2130968688;
// aapt resource value: 0x7f040071
public const int PartnerView = 2130968689;
// aapt resource value: 0x7f040072
public const int PersonTraceView = 2130968690;
// aapt resource value: 0x7f040073
public const int psts_tab = 2130968691;
// aapt resource value: 0x7f040074
public const int PullDataView = 2130968692;
// aapt resource value: 0x7f040075
public const int PushDataView = 2130968693;
// aapt resource value: 0x7f040076
public const int ReferralView = 2130968694;
// aapt resource value: 0x7f040077
public const int RegistryView = 2130968695;
// aapt resource value: 0x7f040078
public const int RemoteRegistryView = 2130968696;
// aapt resource value: 0x7f040079
public const int RemoteSearchView = 2130968697;
// aapt resource value: 0x7f04007a
public const int SecondHIVTestView = 2130968698;
// aapt resource value: 0x7f04007b
public const int SecondTestEpisodeView = 2130968699;
// aapt resource value: 0x7f04007c
public const int select_dialog_item_material = 2130968700;
// aapt resource value: 0x7f04007d
public const int select_dialog_multichoice_material = 2130968701;
// aapt resource value: 0x7f04007e
public const int select_dialog_singlechoice_material = 2130968702;
// aapt resource value: 0x7f04007f
public const int SetupWizardView = 2130968703;
// aapt resource value: 0x7f040080
public const int SignInView = 2130968704;
// aapt resource value: 0x7f040081
public const int SmartCardView = 2130968705;
// aapt resource value: 0x7f040082
public const int SplashScreen = 2130968706;
// aapt resource value: 0x7f040083
public const int StandByView = 2130968707;
// aapt resource value: 0x7f040084
public const int SummaryView = 2130968708;
// aapt resource value: 0x7f040085
public const int support_simple_spinner_dropdown_item = 2130968709;
// aapt resource value: 0x7f040086
public const int Test_History = 2130968710;
// aapt resource value: 0x7f040087
public const int TestingView = 2130968711;
// aapt resource value: 0x7f040088
public const int TestView = 2130968712;
// aapt resource value: 0x7f040089
public const int tooltip = 2130968713;
// aapt resource value: 0x7f04008a
public const int TraceView = 2130968714;
// aapt resource value: 0x7f04008b
public const int UserSummaryView = 2130968715;
static Layout()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Layout()
{
}
}
public partial class Mipmap
{
// aapt resource value: 0x7f030000
public const int Icon = 2130903040;
static Mipmap()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Mipmap()
{
}
}
public partial class String
{
// aapt resource value: 0x7f09003b
public const int ApplicationName = 2131296315;
// aapt resource value: 0x7f090011
public const int abc_action_bar_home_description = 2131296273;
// aapt resource value: 0x7f090012
public const int abc_action_bar_home_description_format = 2131296274;
// aapt resource value: 0x7f090013
public const int abc_action_bar_home_subtitle_description_format = 2131296275;
// aapt resource value: 0x7f090014
public const int abc_action_bar_up_description = 2131296276;
// aapt resource value: 0x7f090015
public const int abc_action_menu_overflow_description = 2131296277;
// aapt resource value: 0x7f090016
public const int abc_action_mode_done = 2131296278;
// aapt resource value: 0x7f090017
public const int abc_activity_chooser_view_see_all = 2131296279;
// aapt resource value: 0x7f090018
public const int abc_activitychooserview_choose_application = 2131296280;
// aapt resource value: 0x7f090019
public const int abc_capital_off = 2131296281;
// aapt resource value: 0x7f09001a
public const int abc_capital_on = 2131296282;
// aapt resource value: 0x7f090026
public const int abc_font_family_body_1_material = 2131296294;
// aapt resource value: 0x7f090027
public const int abc_font_family_body_2_material = 2131296295;
// aapt resource value: 0x7f090028
public const int abc_font_family_button_material = 2131296296;
// aapt resource value: 0x7f090029
public const int abc_font_family_caption_material = 2131296297;
// aapt resource value: 0x7f09002a
public const int abc_font_family_display_1_material = 2131296298;
// aapt resource value: 0x7f09002b
public const int abc_font_family_display_2_material = 2131296299;
// aapt resource value: 0x7f09002c
public const int abc_font_family_display_3_material = 2131296300;
// aapt resource value: 0x7f09002d
public const int abc_font_family_display_4_material = 2131296301;
// aapt resource value: 0x7f09002e
public const int abc_font_family_headline_material = 2131296302;
// aapt resource value: 0x7f09002f
public const int abc_font_family_menu_material = 2131296303;
// aapt resource value: 0x7f090030
public const int abc_font_family_subhead_material = 2131296304;
// aapt resource value: 0x7f090031
public const int abc_font_family_title_material = 2131296305;
// aapt resource value: 0x7f09001b
public const int abc_search_hint = 2131296283;
// aapt resource value: 0x7f09001c
public const int abc_searchview_description_clear = 2131296284;
// aapt resource value: 0x7f09001d
public const int abc_searchview_description_query = 2131296285;
// aapt resource value: 0x7f09001e
public const int abc_searchview_description_search = 2131296286;
// aapt resource value: 0x7f09001f
public const int abc_searchview_description_submit = 2131296287;
// aapt resource value: 0x7f090020
public const int abc_searchview_description_voice = 2131296288;
// aapt resource value: 0x7f090021
public const int abc_shareactionprovider_share_with = 2131296289;
// aapt resource value: 0x7f090022
public const int abc_shareactionprovider_share_with_application = 2131296290;
// aapt resource value: 0x7f090023
public const int abc_toolbar_collapse_description = 2131296291;
// aapt resource value: 0x7f09003e
public const int action_sign_in = 2131296318;
// aapt resource value: 0x7f09003f
public const int action_sign_in_short = 2131296319;
// aapt resource value: 0x7f090032
public const int appbar_scrolling_view_behavior = 2131296306;
// aapt resource value: 0x7f090033
public const int bottom_sheet_behavior = 2131296307;
// aapt resource value: 0x7f090034
public const int character_counter_pattern = 2131296308;
// aapt resource value: 0x7f090001
public const int common_google_play_services_enable_button = 2131296257;
// aapt resource value: 0x7f090002
public const int common_google_play_services_enable_text = 2131296258;
// aapt resource value: 0x7f090003
public const int common_google_play_services_enable_title = 2131296259;
// aapt resource value: 0x7f090004
public const int common_google_play_services_install_button = 2131296260;
// aapt resource value: 0x7f090005
public const int common_google_play_services_install_text = 2131296261;
// aapt resource value: 0x7f090006
public const int common_google_play_services_install_title = 2131296262;
// aapt resource value: 0x7f090007
public const int common_google_play_services_notification_ticker = 2131296263;
// aapt resource value: 0x7f090000
public const int common_google_play_services_unknown_issue = 2131296256;
// aapt resource value: 0x7f090008
public const int common_google_play_services_unsupported_text = 2131296264;
// aapt resource value: 0x7f090009
public const int common_google_play_services_update_button = 2131296265;
// aapt resource value: 0x7f09000a
public const int common_google_play_services_update_text = 2131296266;
// aapt resource value: 0x7f09000b
public const int common_google_play_services_update_title = 2131296267;
// aapt resource value: 0x7f09000c
public const int common_google_play_services_updating_text = 2131296268;
// aapt resource value: 0x7f09000d
public const int common_google_play_services_wear_update_text = 2131296269;
// aapt resource value: 0x7f09000e
public const int common_open_on_phone = 2131296270;
// aapt resource value: 0x7f09000f
public const int common_signin_button_text = 2131296271;
// aapt resource value: 0x7f090010
public const int common_signin_button_text_long = 2131296272;
// aapt resource value: 0x7f09003a
public const int library_name = 2131296314;
// aapt resource value: 0x7f090040
public const int new_encounter = 2131296320;
// aapt resource value: 0x7f090035
public const int password_toggle_content_description = 2131296309;
// aapt resource value: 0x7f090036
public const int path_password_eye = 2131296310;
// aapt resource value: 0x7f090037
public const int path_password_eye_mask_strike_through = 2131296311;
// aapt resource value: 0x7f090038
public const int path_password_eye_mask_visible = 2131296312;
// aapt resource value: 0x7f090039
public const int path_password_strike_through = 2131296313;
// aapt resource value: 0x7f09003c
public const int prompt_email = 2131296316;
// aapt resource value: 0x7f09003d
public const int prompt_password = 2131296317;
// aapt resource value: 0x7f090024
public const int search_menu_title = 2131296292;
// aapt resource value: 0x7f090025
public const int status_bar_notification_info_overflow = 2131296293;
static String()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private String()
{
}
}
public partial class Style
{
// aapt resource value: 0x7f0d00a1
public const int AlertDialog_AppCompat = 2131558561;
// aapt resource value: 0x7f0d00a2
public const int AlertDialog_AppCompat_Light = 2131558562;
// aapt resource value: 0x7f0d00a3
public const int Animation_AppCompat_Dialog = 2131558563;
// aapt resource value: 0x7f0d00a4
public const int Animation_AppCompat_DropDownUp = 2131558564;
// aapt resource value: 0x7f0d00a5
public const int Animation_AppCompat_Tooltip = 2131558565;
// aapt resource value: 0x7f0d016d
public const int Animation_Design_BottomSheetDialog = 2131558765;
// aapt resource value: 0x7f0d018f
public const int AppTheme = 2131558799;
// aapt resource value: 0x7f0d00a6
public const int Base_AlertDialog_AppCompat = 2131558566;
// aapt resource value: 0x7f0d00a7
public const int Base_AlertDialog_AppCompat_Light = 2131558567;
// aapt resource value: 0x7f0d00a8
public const int Base_Animation_AppCompat_Dialog = 2131558568;
// aapt resource value: 0x7f0d00a9
public const int Base_Animation_AppCompat_DropDownUp = 2131558569;
// aapt resource value: 0x7f0d00aa
public const int Base_Animation_AppCompat_Tooltip = 2131558570;
// aapt resource value: 0x7f0d0001
public const int Base_CardView = 2131558401;
// aapt resource value: 0x7f0d00ab
public const int Base_DialogWindowTitle_AppCompat = 2131558571;
// aapt resource value: 0x7f0d00ac
public const int Base_DialogWindowTitleBackground_AppCompat = 2131558572;
// aapt resource value: 0x7f0d003d
public const int Base_TextAppearance_AppCompat = 2131558461;
// aapt resource value: 0x7f0d003e
public const int Base_TextAppearance_AppCompat_Body1 = 2131558462;
// aapt resource value: 0x7f0d003f
public const int Base_TextAppearance_AppCompat_Body2 = 2131558463;
// aapt resource value: 0x7f0d002b
public const int Base_TextAppearance_AppCompat_Button = 2131558443;
// aapt resource value: 0x7f0d0040
public const int Base_TextAppearance_AppCompat_Caption = 2131558464;
// aapt resource value: 0x7f0d0041
public const int Base_TextAppearance_AppCompat_Display1 = 2131558465;
// aapt resource value: 0x7f0d0042
public const int Base_TextAppearance_AppCompat_Display2 = 2131558466;
// aapt resource value: 0x7f0d0043
public const int Base_TextAppearance_AppCompat_Display3 = 2131558467;
// aapt resource value: 0x7f0d0044
public const int Base_TextAppearance_AppCompat_Display4 = 2131558468;
// aapt resource value: 0x7f0d0045
public const int Base_TextAppearance_AppCompat_Headline = 2131558469;
// aapt resource value: 0x7f0d000f
public const int Base_TextAppearance_AppCompat_Inverse = 2131558415;
// aapt resource value: 0x7f0d0046
public const int Base_TextAppearance_AppCompat_Large = 2131558470;
// aapt resource value: 0x7f0d0010
public const int Base_TextAppearance_AppCompat_Large_Inverse = 2131558416;
// aapt resource value: 0x7f0d0047
public const int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large = 2131558471;
// aapt resource value: 0x7f0d0048
public const int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small = 2131558472;
// aapt resource value: 0x7f0d0049
public const int Base_TextAppearance_AppCompat_Medium = 2131558473;
// aapt resource value: 0x7f0d0011
public const int Base_TextAppearance_AppCompat_Medium_Inverse = 2131558417;
// aapt resource value: 0x7f0d004a
public const int Base_TextAppearance_AppCompat_Menu = 2131558474;
// aapt resource value: 0x7f0d00ad
public const int Base_TextAppearance_AppCompat_SearchResult = 2131558573;
// aapt resource value: 0x7f0d004b
public const int Base_TextAppearance_AppCompat_SearchResult_Subtitle = 2131558475;
// aapt resource value: 0x7f0d004c
public const int Base_TextAppearance_AppCompat_SearchResult_Title = 2131558476;
// aapt resource value: 0x7f0d004d
public const int Base_TextAppearance_AppCompat_Small = 2131558477;
// aapt resource value: 0x7f0d0012
public const int Base_TextAppearance_AppCompat_Small_Inverse = 2131558418;
// aapt resource value: 0x7f0d004e
public const int Base_TextAppearance_AppCompat_Subhead = 2131558478;
// aapt resource value: 0x7f0d0013
public const int Base_TextAppearance_AppCompat_Subhead_Inverse = 2131558419;
// aapt resource value: 0x7f0d004f
public const int Base_TextAppearance_AppCompat_Title = 2131558479;
// aapt resource value: 0x7f0d0014
public const int Base_TextAppearance_AppCompat_Title_Inverse = 2131558420;
// aapt resource value: 0x7f0d00ae
public const int Base_TextAppearance_AppCompat_Tooltip = 2131558574;
// aapt resource value: 0x7f0d0092
public const int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu = 2131558546;
// aapt resource value: 0x7f0d0050
public const int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle = 2131558480;
// aapt resource value: 0x7f0d0051
public const int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse = 2131558481;
// aapt resource value: 0x7f0d0052
public const int Base_TextAppearance_AppCompat_Widget_ActionBar_Title = 2131558482;
// aapt resource value: 0x7f0d0053
public const int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse = 2131558483;
// aapt resource value: 0x7f0d0054
public const int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle = 2131558484;
// aapt resource value: 0x7f0d0055
public const int Base_TextAppearance_AppCompat_Widget_ActionMode_Title = 2131558485;
// aapt resource value: 0x7f0d0056
public const int Base_TextAppearance_AppCompat_Widget_Button = 2131558486;
// aapt resource value: 0x7f0d0099
public const int Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored = 2131558553;
// aapt resource value: 0x7f0d009a
public const int Base_TextAppearance_AppCompat_Widget_Button_Colored = 2131558554;
// aapt resource value: 0x7f0d0093
public const int Base_TextAppearance_AppCompat_Widget_Button_Inverse = 2131558547;
// aapt resource value: 0x7f0d00af
public const int Base_TextAppearance_AppCompat_Widget_DropDownItem = 2131558575;
// aapt resource value: 0x7f0d0057
public const int Base_TextAppearance_AppCompat_Widget_PopupMenu_Header = 2131558487;
// aapt resource value: 0x7f0d0058
public const int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large = 2131558488;
// aapt resource value: 0x7f0d0059
public const int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small = 2131558489;
// aapt resource value: 0x7f0d005a
public const int Base_TextAppearance_AppCompat_Widget_Switch = 2131558490;
// aapt resource value: 0x7f0d005b
public const int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem = 2131558491;
// aapt resource value: 0x7f0d00b0
public const int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item = 2131558576;
// aapt resource value: 0x7f0d005c
public const int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle = 2131558492;
// aapt resource value: 0x7f0d005d
public const int Base_TextAppearance_Widget_AppCompat_Toolbar_Title = 2131558493;
// aapt resource value: 0x7f0d005e
public const int Base_Theme_AppCompat = 2131558494;
// aapt resource value: 0x7f0d00b1
public const int Base_Theme_AppCompat_CompactMenu = 2131558577;
// aapt resource value: 0x7f0d0015
public const int Base_Theme_AppCompat_Dialog = 2131558421;
// aapt resource value: 0x7f0d0016
public const int Base_Theme_AppCompat_Dialog_Alert = 2131558422;
// aapt resource value: 0x7f0d00b2
public const int Base_Theme_AppCompat_Dialog_FixedSize = 2131558578;
// aapt resource value: 0x7f0d0017
public const int Base_Theme_AppCompat_Dialog_MinWidth = 2131558423;
// aapt resource value: 0x7f0d0005
public const int Base_Theme_AppCompat_DialogWhenLarge = 2131558405;
// aapt resource value: 0x7f0d005f
public const int Base_Theme_AppCompat_Light = 2131558495;
// aapt resource value: 0x7f0d00b3
public const int Base_Theme_AppCompat_Light_DarkActionBar = 2131558579;
// aapt resource value: 0x7f0d0018
public const int Base_Theme_AppCompat_Light_Dialog = 2131558424;
// aapt resource value: 0x7f0d0019
public const int Base_Theme_AppCompat_Light_Dialog_Alert = 2131558425;
// aapt resource value: 0x7f0d00b4
public const int Base_Theme_AppCompat_Light_Dialog_FixedSize = 2131558580;
// aapt resource value: 0x7f0d001a
public const int Base_Theme_AppCompat_Light_Dialog_MinWidth = 2131558426;
// aapt resource value: 0x7f0d0006
public const int Base_Theme_AppCompat_Light_DialogWhenLarge = 2131558406;
// aapt resource value: 0x7f0d00b5
public const int Base_ThemeOverlay_AppCompat = 2131558581;
// aapt resource value: 0x7f0d00b6
public const int Base_ThemeOverlay_AppCompat_ActionBar = 2131558582;
// aapt resource value: 0x7f0d00b7
public const int Base_ThemeOverlay_AppCompat_Dark = 2131558583;
// aapt resource value: 0x7f0d00b8
public const int Base_ThemeOverlay_AppCompat_Dark_ActionBar = 2131558584;
// aapt resource value: 0x7f0d001b
public const int Base_ThemeOverlay_AppCompat_Dialog = 2131558427;
// aapt resource value: 0x7f0d001c
public const int Base_ThemeOverlay_AppCompat_Dialog_Alert = 2131558428;
// aapt resource value: 0x7f0d00b9
public const int Base_ThemeOverlay_AppCompat_Light = 2131558585;
// aapt resource value: 0x7f0d001d
public const int Base_V11_Theme_AppCompat_Dialog = 2131558429;
// aapt resource value: 0x7f0d001e
public const int Base_V11_Theme_AppCompat_Light_Dialog = 2131558430;
// aapt resource value: 0x7f0d001f
public const int Base_V11_ThemeOverlay_AppCompat_Dialog = 2131558431;
// aapt resource value: 0x7f0d0027
public const int Base_V12_Widget_AppCompat_AutoCompleteTextView = 2131558439;
// aapt resource value: 0x7f0d0028
public const int Base_V12_Widget_AppCompat_EditText = 2131558440;
// aapt resource value: 0x7f0d016e
public const int Base_V14_Widget_Design_AppBarLayout = 2131558766;
// aapt resource value: 0x7f0d0060
public const int Base_V21_Theme_AppCompat = 2131558496;
// aapt resource value: 0x7f0d0061
public const int Base_V21_Theme_AppCompat_Dialog = 2131558497;
// aapt resource value: 0x7f0d0062
public const int Base_V21_Theme_AppCompat_Light = 2131558498;
// aapt resource value: 0x7f0d0063
public const int Base_V21_Theme_AppCompat_Light_Dialog = 2131558499;
// aapt resource value: 0x7f0d0064
public const int Base_V21_ThemeOverlay_AppCompat_Dialog = 2131558500;
// aapt resource value: 0x7f0d016a
public const int Base_V21_Widget_Design_AppBarLayout = 2131558762;
// aapt resource value: 0x7f0d0090
public const int Base_V22_Theme_AppCompat = 2131558544;
// aapt resource value: 0x7f0d0091
public const int Base_V22_Theme_AppCompat_Light = 2131558545;
// aapt resource value: 0x7f0d0094
public const int Base_V23_Theme_AppCompat = 2131558548;
// aapt resource value: 0x7f0d0095
public const int Base_V23_Theme_AppCompat_Light = 2131558549;
// aapt resource value: 0x7f0d009d
public const int Base_V26_Theme_AppCompat = 2131558557;
// aapt resource value: 0x7f0d009e
public const int Base_V26_Theme_AppCompat_Light = 2131558558;
// aapt resource value: 0x7f0d009f
public const int Base_V26_Widget_AppCompat_Toolbar = 2131558559;
// aapt resource value: 0x7f0d016c
public const int Base_V26_Widget_Design_AppBarLayout = 2131558764;
// aapt resource value: 0x7f0d00ba
public const int Base_V7_Theme_AppCompat = 2131558586;
// aapt resource value: 0x7f0d00bb
public const int Base_V7_Theme_AppCompat_Dialog = 2131558587;
// aapt resource value: 0x7f0d00bc
public const int Base_V7_Theme_AppCompat_Light = 2131558588;
// aapt resource value: 0x7f0d00bd
public const int Base_V7_Theme_AppCompat_Light_Dialog = 2131558589;
// aapt resource value: 0x7f0d00be
public const int Base_V7_ThemeOverlay_AppCompat_Dialog = 2131558590;
// aapt resource value: 0x7f0d00bf
public const int Base_V7_Widget_AppCompat_AutoCompleteTextView = 2131558591;
// aapt resource value: 0x7f0d00c0
public const int Base_V7_Widget_AppCompat_EditText = 2131558592;
// aapt resource value: 0x7f0d00c1
public const int Base_V7_Widget_AppCompat_Toolbar = 2131558593;
// aapt resource value: 0x7f0d00c2
public const int Base_Widget_AppCompat_ActionBar = 2131558594;
// aapt resource value: 0x7f0d00c3
public const int Base_Widget_AppCompat_ActionBar_Solid = 2131558595;
// aapt resource value: 0x7f0d00c4
public const int Base_Widget_AppCompat_ActionBar_TabBar = 2131558596;
// aapt resource value: 0x7f0d0065
public const int Base_Widget_AppCompat_ActionBar_TabText = 2131558501;
// aapt resource value: 0x7f0d0066
public const int Base_Widget_AppCompat_ActionBar_TabView = 2131558502;
// aapt resource value: 0x7f0d0067
public const int Base_Widget_AppCompat_ActionButton = 2131558503;
// aapt resource value: 0x7f0d0068
public const int Base_Widget_AppCompat_ActionButton_CloseMode = 2131558504;
// aapt resource value: 0x7f0d0069
public const int Base_Widget_AppCompat_ActionButton_Overflow = 2131558505;
// aapt resource value: 0x7f0d00c5
public const int Base_Widget_AppCompat_ActionMode = 2131558597;
// aapt resource value: 0x7f0d00c6
public const int Base_Widget_AppCompat_ActivityChooserView = 2131558598;
// aapt resource value: 0x7f0d0029
public const int Base_Widget_AppCompat_AutoCompleteTextView = 2131558441;
// aapt resource value: 0x7f0d006a
public const int Base_Widget_AppCompat_Button = 2131558506;
// aapt resource value: 0x7f0d006b
public const int Base_Widget_AppCompat_Button_Borderless = 2131558507;
// aapt resource value: 0x7f0d006c
public const int Base_Widget_AppCompat_Button_Borderless_Colored = 2131558508;
// aapt resource value: 0x7f0d00c7
public const int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog = 2131558599;
// aapt resource value: 0x7f0d0096
public const int Base_Widget_AppCompat_Button_Colored = 2131558550;
// aapt resource value: 0x7f0d006d
public const int Base_Widget_AppCompat_Button_Small = 2131558509;
// aapt resource value: 0x7f0d006e
public const int Base_Widget_AppCompat_ButtonBar = 2131558510;
// aapt resource value: 0x7f0d00c8
public const int Base_Widget_AppCompat_ButtonBar_AlertDialog = 2131558600;
// aapt resource value: 0x7f0d006f
public const int Base_Widget_AppCompat_CompoundButton_CheckBox = 2131558511;
// aapt resource value: 0x7f0d0070
public const int Base_Widget_AppCompat_CompoundButton_RadioButton = 2131558512;
// aapt resource value: 0x7f0d00c9
public const int Base_Widget_AppCompat_CompoundButton_Switch = 2131558601;
// aapt resource value: 0x7f0d0004
public const int Base_Widget_AppCompat_DrawerArrowToggle = 2131558404;
// aapt resource value: 0x7f0d00ca
public const int Base_Widget_AppCompat_DrawerArrowToggle_Common = 2131558602;
// aapt resource value: 0x7f0d0071
public const int Base_Widget_AppCompat_DropDownItem_Spinner = 2131558513;
// aapt resource value: 0x7f0d002a
public const int Base_Widget_AppCompat_EditText = 2131558442;
// aapt resource value: 0x7f0d0072
public const int Base_Widget_AppCompat_ImageButton = 2131558514;
// aapt resource value: 0x7f0d00cb
public const int Base_Widget_AppCompat_Light_ActionBar = 2131558603;
// aapt resource value: 0x7f0d00cc
public const int Base_Widget_AppCompat_Light_ActionBar_Solid = 2131558604;
// aapt resource value: 0x7f0d00cd
public const int Base_Widget_AppCompat_Light_ActionBar_TabBar = 2131558605;
// aapt resource value: 0x7f0d0073
public const int Base_Widget_AppCompat_Light_ActionBar_TabText = 2131558515;
// aapt resource value: 0x7f0d0074
public const int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse = 2131558516;
// aapt resource value: 0x7f0d0075
public const int Base_Widget_AppCompat_Light_ActionBar_TabView = 2131558517;
// aapt resource value: 0x7f0d0076
public const int Base_Widget_AppCompat_Light_PopupMenu = 2131558518;
// aapt resource value: 0x7f0d0077
public const int Base_Widget_AppCompat_Light_PopupMenu_Overflow = 2131558519;
// aapt resource value: 0x7f0d00ce
public const int Base_Widget_AppCompat_ListMenuView = 2131558606;
// aapt resource value: 0x7f0d0078
public const int Base_Widget_AppCompat_ListPopupWindow = 2131558520;
// aapt resource value: 0x7f0d0079
public const int Base_Widget_AppCompat_ListView = 2131558521;
// aapt resource value: 0x7f0d007a
public const int Base_Widget_AppCompat_ListView_DropDown = 2131558522;
// aapt resource value: 0x7f0d007b
public const int Base_Widget_AppCompat_ListView_Menu = 2131558523;
// aapt resource value: 0x7f0d007c
public const int Base_Widget_AppCompat_PopupMenu = 2131558524;
// aapt resource value: 0x7f0d007d
public const int Base_Widget_AppCompat_PopupMenu_Overflow = 2131558525;
// aapt resource value: 0x7f0d00cf
public const int Base_Widget_AppCompat_PopupWindow = 2131558607;
// aapt resource value: 0x7f0d0020
public const int Base_Widget_AppCompat_ProgressBar = 2131558432;
// aapt resource value: 0x7f0d0021
public const int Base_Widget_AppCompat_ProgressBar_Horizontal = 2131558433;
// aapt resource value: 0x7f0d007e
public const int Base_Widget_AppCompat_RatingBar = 2131558526;
// aapt resource value: 0x7f0d0097
public const int Base_Widget_AppCompat_RatingBar_Indicator = 2131558551;
// aapt resource value: 0x7f0d0098
public const int Base_Widget_AppCompat_RatingBar_Small = 2131558552;
// aapt resource value: 0x7f0d00d0
public const int Base_Widget_AppCompat_SearchView = 2131558608;
// aapt resource value: 0x7f0d00d1
public const int Base_Widget_AppCompat_SearchView_ActionBar = 2131558609;
// aapt resource value: 0x7f0d007f
public const int Base_Widget_AppCompat_SeekBar = 2131558527;
// aapt resource value: 0x7f0d00d2
public const int Base_Widget_AppCompat_SeekBar_Discrete = 2131558610;
// aapt resource value: 0x7f0d0080
public const int Base_Widget_AppCompat_Spinner = 2131558528;
// aapt resource value: 0x7f0d0007
public const int Base_Widget_AppCompat_Spinner_Underlined = 2131558407;
// aapt resource value: 0x7f0d0081
public const int Base_Widget_AppCompat_TextView_SpinnerItem = 2131558529;
// aapt resource value: 0x7f0d00a0
public const int Base_Widget_AppCompat_Toolbar = 2131558560;
// aapt resource value: 0x7f0d0082
public const int Base_Widget_AppCompat_Toolbar_Button_Navigation = 2131558530;
// aapt resource value: 0x7f0d016b
public const int Base_Widget_Design_AppBarLayout = 2131558763;
// aapt resource value: 0x7f0d016f
public const int Base_Widget_Design_TabLayout = 2131558767;
// aapt resource value: 0x7f0d0000
public const int CardView = 2131558400;
// aapt resource value: 0x7f0d0002
public const int CardView_Dark = 2131558402;
// aapt resource value: 0x7f0d0003
public const int CardView_Light = 2131558403;
// aapt resource value: 0x7f0d0022
public const int Platform_AppCompat = 2131558434;
// aapt resource value: 0x7f0d0023
public const int Platform_AppCompat_Light = 2131558435;
// aapt resource value: 0x7f0d0083
public const int Platform_ThemeOverlay_AppCompat = 2131558531;
// aapt resource value: 0x7f0d0084
public const int Platform_ThemeOverlay_AppCompat_Dark = 2131558532;
// aapt resource value: 0x7f0d0085
public const int Platform_ThemeOverlay_AppCompat_Light = 2131558533;
// aapt resource value: 0x7f0d0024
public const int Platform_V11_AppCompat = 2131558436;
// aapt resource value: 0x7f0d0025
public const int Platform_V11_AppCompat_Light = 2131558437;
// aapt resource value: 0x7f0d002c
public const int Platform_V14_AppCompat = 2131558444;
// aapt resource value: 0x7f0d002d
public const int Platform_V14_AppCompat_Light = 2131558445;
// aapt resource value: 0x7f0d0086
public const int Platform_V21_AppCompat = 2131558534;
// aapt resource value: 0x7f0d0087
public const int Platform_V21_AppCompat_Light = 2131558535;
// aapt resource value: 0x7f0d009b
public const int Platform_V25_AppCompat = 2131558555;
// aapt resource value: 0x7f0d009c
public const int Platform_V25_AppCompat_Light = 2131558556;
// aapt resource value: 0x7f0d0026
public const int Platform_Widget_AppCompat_Spinner = 2131558438;
// aapt resource value: 0x7f0d002f
public const int RtlOverlay_DialogWindowTitle_AppCompat = 2131558447;
// aapt resource value: 0x7f0d0030
public const int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem = 2131558448;
// aapt resource value: 0x7f0d0031
public const int RtlOverlay_Widget_AppCompat_DialogTitle_Icon = 2131558449;
// aapt resource value: 0x7f0d0032
public const int RtlOverlay_Widget_AppCompat_PopupMenuItem = 2131558450;
// aapt resource value: 0x7f0d0033
public const int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup = 2131558451;
// aapt resource value: 0x7f0d0034
public const int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text = 2131558452;
// aapt resource value: 0x7f0d0035
public const int RtlOverlay_Widget_AppCompat_Search_DropDown = 2131558453;
// aapt resource value: 0x7f0d0036
public const int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1 = 2131558454;
// aapt resource value: 0x7f0d0037
public const int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2 = 2131558455;
// aapt resource value: 0x7f0d0038
public const int RtlOverlay_Widget_AppCompat_Search_DropDown_Query = 2131558456;
// aapt resource value: 0x7f0d0039
public const int RtlOverlay_Widget_AppCompat_Search_DropDown_Text = 2131558457;
// aapt resource value: 0x7f0d003a
public const int RtlOverlay_Widget_AppCompat_SearchView_MagIcon = 2131558458;
// aapt resource value: 0x7f0d003b
public const int RtlUnderlay_Widget_AppCompat_ActionButton = 2131558459;
// aapt resource value: 0x7f0d003c
public const int RtlUnderlay_Widget_AppCompat_ActionButton_Overflow = 2131558460;
// aapt resource value: 0x7f0d00d3
public const int TextAppearance_AppCompat = 2131558611;
// aapt resource value: 0x7f0d00d4
public const int TextAppearance_AppCompat_Body1 = 2131558612;
// aapt resource value: 0x7f0d00d5
public const int TextAppearance_AppCompat_Body2 = 2131558613;
// aapt resource value: 0x7f0d00d6
public const int TextAppearance_AppCompat_Button = 2131558614;
// aapt resource value: 0x7f0d00d7
public const int TextAppearance_AppCompat_Caption = 2131558615;
// aapt resource value: 0x7f0d00d8
public const int TextAppearance_AppCompat_Display1 = 2131558616;
// aapt resource value: 0x7f0d00d9
public const int TextAppearance_AppCompat_Display2 = 2131558617;
// aapt resource value: 0x7f0d00da
public const int TextAppearance_AppCompat_Display3 = 2131558618;
// aapt resource value: 0x7f0d00db
public const int TextAppearance_AppCompat_Display4 = 2131558619;
// aapt resource value: 0x7f0d00dc
public const int TextAppearance_AppCompat_Headline = 2131558620;
// aapt resource value: 0x7f0d00dd
public const int TextAppearance_AppCompat_Inverse = 2131558621;
// aapt resource value: 0x7f0d00de
public const int TextAppearance_AppCompat_Large = 2131558622;
// aapt resource value: 0x7f0d00df
public const int TextAppearance_AppCompat_Large_Inverse = 2131558623;
// aapt resource value: 0x7f0d00e0
public const int TextAppearance_AppCompat_Light_SearchResult_Subtitle = 2131558624;
// aapt resource value: 0x7f0d00e1
public const int TextAppearance_AppCompat_Light_SearchResult_Title = 2131558625;
// aapt resource value: 0x7f0d00e2
public const int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large = 2131558626;
// aapt resource value: 0x7f0d00e3
public const int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small = 2131558627;
// aapt resource value: 0x7f0d00e4
public const int TextAppearance_AppCompat_Medium = 2131558628;
// aapt resource value: 0x7f0d00e5
public const int TextAppearance_AppCompat_Medium_Inverse = 2131558629;
// aapt resource value: 0x7f0d00e6
public const int TextAppearance_AppCompat_Menu = 2131558630;
// aapt resource value: 0x7f0d0088
public const int TextAppearance_AppCompat_Notification = 2131558536;
// aapt resource value: 0x7f0d0089
public const int TextAppearance_AppCompat_Notification_Info = 2131558537;
// aapt resource value: 0x7f0d008a
public const int TextAppearance_AppCompat_Notification_Info_Media = 2131558538;
// aapt resource value: 0x7f0d00e7
public const int TextAppearance_AppCompat_Notification_Line2 = 2131558631;
// aapt resource value: 0x7f0d00e8
public const int TextAppearance_AppCompat_Notification_Line2_Media = 2131558632;
// aapt resource value: 0x7f0d008b
public const int TextAppearance_AppCompat_Notification_Media = 2131558539;
// aapt resource value: 0x7f0d008c
public const int TextAppearance_AppCompat_Notification_Time = 2131558540;
// aapt resource value: 0x7f0d008d
public const int TextAppearance_AppCompat_Notification_Time_Media = 2131558541;
// aapt resource value: 0x7f0d008e
public const int TextAppearance_AppCompat_Notification_Title = 2131558542;
// aapt resource value: 0x7f0d008f
public const int TextAppearance_AppCompat_Notification_Title_Media = 2131558543;
// aapt resource value: 0x7f0d00e9
public const int TextAppearance_AppCompat_SearchResult_Subtitle = 2131558633;
// aapt resource value: 0x7f0d00ea
public const int TextAppearance_AppCompat_SearchResult_Title = 2131558634;
// aapt resource value: 0x7f0d00eb
public const int TextAppearance_AppCompat_Small = 2131558635;
// aapt resource value: 0x7f0d00ec
public const int TextAppearance_AppCompat_Small_Inverse = 2131558636;
// aapt resource value: 0x7f0d00ed
public const int TextAppearance_AppCompat_Subhead = 2131558637;
// aapt resource value: 0x7f0d00ee
public const int TextAppearance_AppCompat_Subhead_Inverse = 2131558638;
// aapt resource value: 0x7f0d00ef
public const int TextAppearance_AppCompat_Title = 2131558639;
// aapt resource value: 0x7f0d00f0
public const int TextAppearance_AppCompat_Title_Inverse = 2131558640;
// aapt resource value: 0x7f0d002e
public const int TextAppearance_AppCompat_Tooltip = 2131558446;
// aapt resource value: 0x7f0d00f1
public const int TextAppearance_AppCompat_Widget_ActionBar_Menu = 2131558641;
// aapt resource value: 0x7f0d00f2
public const int TextAppearance_AppCompat_Widget_ActionBar_Subtitle = 2131558642;
// aapt resource value: 0x7f0d00f3
public const int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse = 2131558643;
// aapt resource value: 0x7f0d00f4
public const int TextAppearance_AppCompat_Widget_ActionBar_Title = 2131558644;
// aapt resource value: 0x7f0d00f5
public const int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse = 2131558645;
// aapt resource value: 0x7f0d00f6
public const int TextAppearance_AppCompat_Widget_ActionMode_Subtitle = 2131558646;
// aapt resource value: 0x7f0d00f7
public const int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse = 2131558647;
// aapt resource value: 0x7f0d00f8
public const int TextAppearance_AppCompat_Widget_ActionMode_Title = 2131558648;
// aapt resource value: 0x7f0d00f9
public const int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse = 2131558649;
// aapt resource value: 0x7f0d00fa
public const int TextAppearance_AppCompat_Widget_Button = 2131558650;
// aapt resource value: 0x7f0d00fb
public const int TextAppearance_AppCompat_Widget_Button_Borderless_Colored = 2131558651;
// aapt resource value: 0x7f0d00fc
public const int TextAppearance_AppCompat_Widget_Button_Colored = 2131558652;
// aapt resource value: 0x7f0d00fd
public const int TextAppearance_AppCompat_Widget_Button_Inverse = 2131558653;
// aapt resource value: 0x7f0d00fe
public const int TextAppearance_AppCompat_Widget_DropDownItem = 2131558654;
// aapt resource value: 0x7f0d00ff
public const int TextAppearance_AppCompat_Widget_PopupMenu_Header = 2131558655;
// aapt resource value: 0x7f0d0100
public const int TextAppearance_AppCompat_Widget_PopupMenu_Large = 2131558656;
// aapt resource value: 0x7f0d0101
public const int TextAppearance_AppCompat_Widget_PopupMenu_Small = 2131558657;
// aapt resource value: 0x7f0d0102
public const int TextAppearance_AppCompat_Widget_Switch = 2131558658;
// aapt resource value: 0x7f0d0103
public const int TextAppearance_AppCompat_Widget_TextView_SpinnerItem = 2131558659;
// aapt resource value: 0x7f0d0187
public const int TextAppearance_Compat_Notification = 2131558791;
// aapt resource value: 0x7f0d0188
public const int TextAppearance_Compat_Notification_Info = 2131558792;
// aapt resource value: 0x7f0d0164
public const int TextAppearance_Compat_Notification_Info_Media = 2131558756;
// aapt resource value: 0x7f0d018d
public const int TextAppearance_Compat_Notification_Line2 = 2131558797;
// aapt resource value: 0x7f0d0168
public const int TextAppearance_Compat_Notification_Line2_Media = 2131558760;
// aapt resource value: 0x7f0d0165
public const int TextAppearance_Compat_Notification_Media = 2131558757;
// aapt resource value: 0x7f0d0189
public const int TextAppearance_Compat_Notification_Time = 2131558793;
// aapt resource value: 0x7f0d0166
public const int TextAppearance_Compat_Notification_Time_Media = 2131558758;
// aapt resource value: 0x7f0d018a
public const int TextAppearance_Compat_Notification_Title = 2131558794;
// aapt resource value: 0x7f0d0167
public const int TextAppearance_Compat_Notification_Title_Media = 2131558759;
// aapt resource value: 0x7f0d0170
public const int TextAppearance_Design_CollapsingToolbar_Expanded = 2131558768;
// aapt resource value: 0x7f0d0171
public const int TextAppearance_Design_Counter = 2131558769;
// aapt resource value: 0x7f0d0172
public const int TextAppearance_Design_Counter_Overflow = 2131558770;
// aapt resource value: 0x7f0d0173
public const int TextAppearance_Design_Error = 2131558771;
// aapt resource value: 0x7f0d0174
public const int TextAppearance_Design_Hint = 2131558772;
// aapt resource value: 0x7f0d0175
public const int TextAppearance_Design_Snackbar_Message = 2131558773;
// aapt resource value: 0x7f0d0176
public const int TextAppearance_Design_Tab = 2131558774;
// aapt resource value: 0x7f0d0104
public const int TextAppearance_Widget_AppCompat_ExpandedMenu_Item = 2131558660;
// aapt resource value: 0x7f0d0105
public const int TextAppearance_Widget_AppCompat_Toolbar_Subtitle = 2131558661;
// aapt resource value: 0x7f0d0106
public const int TextAppearance_Widget_AppCompat_Toolbar_Title = 2131558662;
// aapt resource value: 0x7f0d0107
public const int Theme_AppCompat = 2131558663;
// aapt resource value: 0x7f0d0108
public const int Theme_AppCompat_CompactMenu = 2131558664;
// aapt resource value: 0x7f0d0008
public const int Theme_AppCompat_DayNight = 2131558408;
// aapt resource value: 0x7f0d0009
public const int Theme_AppCompat_DayNight_DarkActionBar = 2131558409;
// aapt resource value: 0x7f0d000a
public const int Theme_AppCompat_DayNight_Dialog = 2131558410;
// aapt resource value: 0x7f0d000b
public const int Theme_AppCompat_DayNight_Dialog_Alert = 2131558411;
// aapt resource value: 0x7f0d000c
public const int Theme_AppCompat_DayNight_Dialog_MinWidth = 2131558412;
// aapt resource value: 0x7f0d000d
public const int Theme_AppCompat_DayNight_DialogWhenLarge = 2131558413;
// aapt resource value: 0x7f0d000e
public const int Theme_AppCompat_DayNight_NoActionBar = 2131558414;
// aapt resource value: 0x7f0d0109
public const int Theme_AppCompat_Dialog = 2131558665;
// aapt resource value: 0x7f0d010a
public const int Theme_AppCompat_Dialog_Alert = 2131558666;
// aapt resource value: 0x7f0d010b
public const int Theme_AppCompat_Dialog_MinWidth = 2131558667;
// aapt resource value: 0x7f0d010c
public const int Theme_AppCompat_DialogWhenLarge = 2131558668;
// aapt resource value: 0x7f0d010d
public const int Theme_AppCompat_Light = 2131558669;
// aapt resource value: 0x7f0d010e
public const int Theme_AppCompat_Light_DarkActionBar = 2131558670;
// aapt resource value: 0x7f0d010f
public const int Theme_AppCompat_Light_Dialog = 2131558671;
// aapt resource value: 0x7f0d0110
public const int Theme_AppCompat_Light_Dialog_Alert = 2131558672;
// aapt resource value: 0x7f0d0111
public const int Theme_AppCompat_Light_Dialog_MinWidth = 2131558673;
// aapt resource value: 0x7f0d0112
public const int Theme_AppCompat_Light_DialogWhenLarge = 2131558674;
// aapt resource value: 0x7f0d0113
public const int Theme_AppCompat_Light_NoActionBar = 2131558675;
// aapt resource value: 0x7f0d0114
public const int Theme_AppCompat_NoActionBar = 2131558676;
// aapt resource value: 0x7f0d0177
public const int Theme_Design = 2131558775;
// aapt resource value: 0x7f0d0178
public const int Theme_Design_BottomSheetDialog = 2131558776;
// aapt resource value: 0x7f0d0179
public const int Theme_Design_Light = 2131558777;
// aapt resource value: 0x7f0d017a
public const int Theme_Design_Light_BottomSheetDialog = 2131558778;
// aapt resource value: 0x7f0d017b
public const int Theme_Design_Light_NoActionBar = 2131558779;
// aapt resource value: 0x7f0d017c
public const int Theme_Design_NoActionBar = 2131558780;
// aapt resource value: 0x7f0d018e
public const int Theme_Splash = 2131558798;
// aapt resource value: 0x7f0d0115
public const int ThemeOverlay_AppCompat = 2131558677;
// aapt resource value: 0x7f0d0116
public const int ThemeOverlay_AppCompat_ActionBar = 2131558678;
// aapt resource value: 0x7f0d0117
public const int ThemeOverlay_AppCompat_Dark = 2131558679;
// aapt resource value: 0x7f0d0118
public const int ThemeOverlay_AppCompat_Dark_ActionBar = 2131558680;
// aapt resource value: 0x7f0d0119
public const int ThemeOverlay_AppCompat_Dialog = 2131558681;
// aapt resource value: 0x7f0d011a
public const int ThemeOverlay_AppCompat_Dialog_Alert = 2131558682;
// aapt resource value: 0x7f0d011b
public const int ThemeOverlay_AppCompat_Light = 2131558683;
// aapt resource value: 0x7f0d011c
public const int Widget_AppCompat_ActionBar = 2131558684;
// aapt resource value: 0x7f0d011d
public const int Widget_AppCompat_ActionBar_Solid = 2131558685;
// aapt resource value: 0x7f0d011e
public const int Widget_AppCompat_ActionBar_TabBar = 2131558686;
// aapt resource value: 0x7f0d011f
public const int Widget_AppCompat_ActionBar_TabText = 2131558687;
// aapt resource value: 0x7f0d0120
public const int Widget_AppCompat_ActionBar_TabView = 2131558688;
// aapt resource value: 0x7f0d0121
public const int Widget_AppCompat_ActionButton = 2131558689;
// aapt resource value: 0x7f0d0122
public const int Widget_AppCompat_ActionButton_CloseMode = 2131558690;
// aapt resource value: 0x7f0d0123
public const int Widget_AppCompat_ActionButton_Overflow = 2131558691;
// aapt resource value: 0x7f0d0124
public const int Widget_AppCompat_ActionMode = 2131558692;
// aapt resource value: 0x7f0d0125
public const int Widget_AppCompat_ActivityChooserView = 2131558693;
// aapt resource value: 0x7f0d0126
public const int Widget_AppCompat_AutoCompleteTextView = 2131558694;
// aapt resource value: 0x7f0d0127
public const int Widget_AppCompat_Button = 2131558695;
// aapt resource value: 0x7f0d0128
public const int Widget_AppCompat_Button_Borderless = 2131558696;
// aapt resource value: 0x7f0d0129
public const int Widget_AppCompat_Button_Borderless_Colored = 2131558697;
// aapt resource value: 0x7f0d012a
public const int Widget_AppCompat_Button_ButtonBar_AlertDialog = 2131558698;
// aapt resource value: 0x7f0d012b
public const int Widget_AppCompat_Button_Colored = 2131558699;
// aapt resource value: 0x7f0d012c
public const int Widget_AppCompat_Button_Small = 2131558700;
// aapt resource value: 0x7f0d012d
public const int Widget_AppCompat_ButtonBar = 2131558701;
// aapt resource value: 0x7f0d012e
public const int Widget_AppCompat_ButtonBar_AlertDialog = 2131558702;
// aapt resource value: 0x7f0d012f
public const int Widget_AppCompat_CompoundButton_CheckBox = 2131558703;
// aapt resource value: 0x7f0d0130
public const int Widget_AppCompat_CompoundButton_RadioButton = 2131558704;
// aapt resource value: 0x7f0d0131
public const int Widget_AppCompat_CompoundButton_Switch = 2131558705;
// aapt resource value: 0x7f0d0132
public const int Widget_AppCompat_DrawerArrowToggle = 2131558706;
// aapt resource value: 0x7f0d0133
public const int Widget_AppCompat_DropDownItem_Spinner = 2131558707;
// aapt resource value: 0x7f0d0134
public const int Widget_AppCompat_EditText = 2131558708;
// aapt resource value: 0x7f0d0135
public const int Widget_AppCompat_ImageButton = 2131558709;
// aapt resource value: 0x7f0d0136
public const int Widget_AppCompat_Light_ActionBar = 2131558710;
// aapt resource value: 0x7f0d0137
public const int Widget_AppCompat_Light_ActionBar_Solid = 2131558711;
// aapt resource value: 0x7f0d0138
public const int Widget_AppCompat_Light_ActionBar_Solid_Inverse = 2131558712;
// aapt resource value: 0x7f0d0139
public const int Widget_AppCompat_Light_ActionBar_TabBar = 2131558713;
// aapt resource value: 0x7f0d013a
public const int Widget_AppCompat_Light_ActionBar_TabBar_Inverse = 2131558714;
// aapt resource value: 0x7f0d013b
public const int Widget_AppCompat_Light_ActionBar_TabText = 2131558715;
// aapt resource value: 0x7f0d013c
public const int Widget_AppCompat_Light_ActionBar_TabText_Inverse = 2131558716;
// aapt resource value: 0x7f0d013d
public const int Widget_AppCompat_Light_ActionBar_TabView = 2131558717;
// aapt resource value: 0x7f0d013e
public const int Widget_AppCompat_Light_ActionBar_TabView_Inverse = 2131558718;
// aapt resource value: 0x7f0d013f
public const int Widget_AppCompat_Light_ActionButton = 2131558719;
// aapt resource value: 0x7f0d0140
public const int Widget_AppCompat_Light_ActionButton_CloseMode = 2131558720;
// aapt resource value: 0x7f0d0141
public const int Widget_AppCompat_Light_ActionButton_Overflow = 2131558721;
// aapt resource value: 0x7f0d0142
public const int Widget_AppCompat_Light_ActionMode_Inverse = 2131558722;
// aapt resource value: 0x7f0d0143
public const int Widget_AppCompat_Light_ActivityChooserView = 2131558723;
// aapt resource value: 0x7f0d0144
public const int Widget_AppCompat_Light_AutoCompleteTextView = 2131558724;
// aapt resource value: 0x7f0d0145
public const int Widget_AppCompat_Light_DropDownItem_Spinner = 2131558725;
// aapt resource value: 0x7f0d0146
public const int Widget_AppCompat_Light_ListPopupWindow = 2131558726;
// aapt resource value: 0x7f0d0147
public const int Widget_AppCompat_Light_ListView_DropDown = 2131558727;
// aapt resource value: 0x7f0d0148
public const int Widget_AppCompat_Light_PopupMenu = 2131558728;
// aapt resource value: 0x7f0d0149
public const int Widget_AppCompat_Light_PopupMenu_Overflow = 2131558729;
// aapt resource value: 0x7f0d014a
public const int Widget_AppCompat_Light_SearchView = 2131558730;
// aapt resource value: 0x7f0d014b
public const int Widget_AppCompat_Light_Spinner_DropDown_ActionBar = 2131558731;
// aapt resource value: 0x7f0d014c
public const int Widget_AppCompat_ListMenuView = 2131558732;
// aapt resource value: 0x7f0d014d
public const int Widget_AppCompat_ListPopupWindow = 2131558733;
// aapt resource value: 0x7f0d014e
public const int Widget_AppCompat_ListView = 2131558734;
// aapt resource value: 0x7f0d014f
public const int Widget_AppCompat_ListView_DropDown = 2131558735;
// aapt resource value: 0x7f0d0150
public const int Widget_AppCompat_ListView_Menu = 2131558736;
// aapt resource value: 0x7f0d0151
public const int Widget_AppCompat_PopupMenu = 2131558737;
// aapt resource value: 0x7f0d0152
public const int Widget_AppCompat_PopupMenu_Overflow = 2131558738;
// aapt resource value: 0x7f0d0153
public const int Widget_AppCompat_PopupWindow = 2131558739;
// aapt resource value: 0x7f0d0154
public const int Widget_AppCompat_ProgressBar = 2131558740;
// aapt resource value: 0x7f0d0155
public const int Widget_AppCompat_ProgressBar_Horizontal = 2131558741;
// aapt resource value: 0x7f0d0156
public const int Widget_AppCompat_RatingBar = 2131558742;
// aapt resource value: 0x7f0d0157
public const int Widget_AppCompat_RatingBar_Indicator = 2131558743;
// aapt resource value: 0x7f0d0158
public const int Widget_AppCompat_RatingBar_Small = 2131558744;
// aapt resource value: 0x7f0d0159
public const int Widget_AppCompat_SearchView = 2131558745;
// aapt resource value: 0x7f0d015a
public const int Widget_AppCompat_SearchView_ActionBar = 2131558746;
// aapt resource value: 0x7f0d015b
public const int Widget_AppCompat_SeekBar = 2131558747;
// aapt resource value: 0x7f0d015c
public const int Widget_AppCompat_SeekBar_Discrete = 2131558748;
// aapt resource value: 0x7f0d015d
public const int Widget_AppCompat_Spinner = 2131558749;
// aapt resource value: 0x7f0d015e
public const int Widget_AppCompat_Spinner_DropDown = 2131558750;
// aapt resource value: 0x7f0d015f
public const int Widget_AppCompat_Spinner_DropDown_ActionBar = 2131558751;
// aapt resource value: 0x7f0d0160
public const int Widget_AppCompat_Spinner_Underlined = 2131558752;
// aapt resource value: 0x7f0d0161
public const int Widget_AppCompat_TextView_SpinnerItem = 2131558753;
// aapt resource value: 0x7f0d0162
public const int Widget_AppCompat_Toolbar = 2131558754;
// aapt resource value: 0x7f0d0163
public const int Widget_AppCompat_Toolbar_Button_Navigation = 2131558755;
// aapt resource value: 0x7f0d018b
public const int Widget_Compat_NotificationActionContainer = 2131558795;
// aapt resource value: 0x7f0d018c
public const int Widget_Compat_NotificationActionText = 2131558796;
// aapt resource value: 0x7f0d017d
public const int Widget_Design_AppBarLayout = 2131558781;
// aapt resource value: 0x7f0d017e
public const int Widget_Design_BottomNavigationView = 2131558782;
// aapt resource value: 0x7f0d017f
public const int Widget_Design_BottomSheet_Modal = 2131558783;
// aapt resource value: 0x7f0d0180
public const int Widget_Design_CollapsingToolbar = 2131558784;
// aapt resource value: 0x7f0d0181
public const int Widget_Design_CoordinatorLayout = 2131558785;
// aapt resource value: 0x7f0d0182
public const int Widget_Design_FloatingActionButton = 2131558786;
// aapt resource value: 0x7f0d0183
public const int Widget_Design_NavigationView = 2131558787;
// aapt resource value: 0x7f0d0184
public const int Widget_Design_ScrimInsetsFrameLayout = 2131558788;
// aapt resource value: 0x7f0d0185
public const int Widget_Design_Snackbar = 2131558789;
// aapt resource value: 0x7f0d0169
public const int Widget_Design_TabLayout = 2131558761;
// aapt resource value: 0x7f0d0186
public const int Widget_Design_TextInputLayout = 2131558790;
static Style()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Style()
{
}
}
public partial class Xml
{
// aapt resource value: 0x7f070000
public const int Empty = 2131165184;
static Xml()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Xml()
{
}
}
public partial class Styleable
{
public static int[] ActionBar = new int[] {
2130772018,
2130772020,
2130772021,
2130772022,
2130772023,
2130772024,
2130772025,
2130772026,
2130772027,
2130772028,
2130772029,
2130772030,
2130772031,
2130772032,
2130772033,
2130772034,
2130772035,
2130772036,
2130772037,
2130772038,
2130772039,
2130772040,
2130772041,
2130772042,
2130772043,
2130772044,
2130772045,
2130772046,
2130772116};
// aapt resource value: 10
public const int ActionBar_background = 10;
// aapt resource value: 12
public const int ActionBar_backgroundSplit = 12;
// aapt resource value: 11
public const int ActionBar_backgroundStacked = 11;
// aapt resource value: 21
public const int ActionBar_contentInsetEnd = 21;
// aapt resource value: 25
public const int ActionBar_contentInsetEndWithActions = 25;
// aapt resource value: 22
public const int ActionBar_contentInsetLeft = 22;
// aapt resource value: 23
public const int ActionBar_contentInsetRight = 23;
// aapt resource value: 20
public const int ActionBar_contentInsetStart = 20;
// aapt resource value: 24
public const int ActionBar_contentInsetStartWithNavigation = 24;
// aapt resource value: 13
public const int ActionBar_customNavigationLayout = 13;
// aapt resource value: 3
public const int ActionBar_displayOptions = 3;
// aapt resource value: 9
public const int ActionBar_divider = 9;
// aapt resource value: 26
public const int ActionBar_elevation = 26;
// aapt resource value: 0
public const int ActionBar_height = 0;
// aapt resource value: 19
public const int ActionBar_hideOnContentScroll = 19;
// aapt resource value: 28
public const int ActionBar_homeAsUpIndicator = 28;
// aapt resource value: 14
public const int ActionBar_homeLayout = 14;
// aapt resource value: 7
public const int ActionBar_icon = 7;
// aapt resource value: 16
public const int ActionBar_indeterminateProgressStyle = 16;
// aapt resource value: 18
public const int ActionBar_itemPadding = 18;
// aapt resource value: 8
public const int ActionBar_logo = 8;
// aapt resource value: 2
public const int ActionBar_navigationMode = 2;
// aapt resource value: 27
public const int ActionBar_popupTheme = 27;
// aapt resource value: 17
public const int ActionBar_progressBarPadding = 17;
// aapt resource value: 15
public const int ActionBar_progressBarStyle = 15;
// aapt resource value: 4
public const int ActionBar_subtitle = 4;
// aapt resource value: 6
public const int ActionBar_subtitleTextStyle = 6;
// aapt resource value: 1
public const int ActionBar_title = 1;
// aapt resource value: 5
public const int ActionBar_titleTextStyle = 5;
public static int[] ActionBarLayout = new int[] {
16842931};
// aapt resource value: 0
public const int ActionBarLayout_android_layout_gravity = 0;
public static int[] ActionMenuItemView = new int[] {
16843071};
// aapt resource value: 0
public const int ActionMenuItemView_android_minWidth = 0;
public static int[] ActionMenuView;
public static int[] ActionMode = new int[] {
2130772018,
2130772024,
2130772025,
2130772029,
2130772031,
2130772047};
// aapt resource value: 3
public const int ActionMode_background = 3;
// aapt resource value: 4
public const int ActionMode_backgroundSplit = 4;
// aapt resource value: 5
public const int ActionMode_closeItemLayout = 5;
// aapt resource value: 0
public const int ActionMode_height = 0;
// aapt resource value: 2
public const int ActionMode_subtitleTextStyle = 2;
// aapt resource value: 1
public const int ActionMode_titleTextStyle = 1;
public static int[] ActivityChooserView = new int[] {
2130772048,
2130772049};
// aapt resource value: 1
public const int ActivityChooserView_expandActivityOverflowButtonDrawable = 1;
// aapt resource value: 0
public const int ActivityChooserView_initialActivityCount = 0;
public static int[] AlertDialog = new int[] {
16842994,
2130772050,
2130772051,
2130772052,
2130772053,
2130772054,
2130772055};
// aapt resource value: 0
public const int AlertDialog_android_layout = 0;
// aapt resource value: 1
public const int AlertDialog_buttonPanelSideLayout = 1;
// aapt resource value: 5
public const int AlertDialog_listItemLayout = 5;
// aapt resource value: 2
public const int AlertDialog_listLayout = 2;
// aapt resource value: 3
public const int AlertDialog_multiChoiceItemLayout = 3;
// aapt resource value: 6
public const int AlertDialog_showTitle = 6;
// aapt resource value: 4
public const int AlertDialog_singleChoiceItemLayout = 4;
public static int[] AppBarLayout = new int[] {
16842964,
16843919,
16844096,
2130772045,
2130772263};
// aapt resource value: 0
public const int AppBarLayout_android_background = 0;
// aapt resource value: 2
public const int AppBarLayout_android_keyboardNavigationCluster = 2;
// aapt resource value: 1
public const int AppBarLayout_android_touchscreenBlocksFocus = 1;
// aapt resource value: 3
public const int AppBarLayout_elevation = 3;
// aapt resource value: 4
public const int AppBarLayout_expanded = 4;
public static int[] AppBarLayoutStates = new int[] {
2130772264,
2130772265};
// aapt resource value: 0
public const int AppBarLayoutStates_state_collapsed = 0;
// aapt resource value: 1
public const int AppBarLayoutStates_state_collapsible = 1;
public static int[] AppBarLayout_Layout = new int[] {
2130772266,
2130772267};
// aapt resource value: 0
public const int AppBarLayout_Layout_layout_scrollFlags = 0;
// aapt resource value: 1
public const int AppBarLayout_Layout_layout_scrollInterpolator = 1;
public static int[] AppCompatImageView = new int[] {
16843033,
2130772056,
2130772057,
2130772058};
// aapt resource value: 0
public const int AppCompatImageView_android_src = 0;
// aapt resource value: 1
public const int AppCompatImageView_srcCompat = 1;
// aapt resource value: 2
public const int AppCompatImageView_tint = 2;
// aapt resource value: 3
public const int AppCompatImageView_tintMode = 3;
public static int[] AppCompatSeekBar = new int[] {
16843074,
2130772059,
2130772060,
2130772061};
// aapt resource value: 0
public const int AppCompatSeekBar_android_thumb = 0;
// aapt resource value: 1
public const int AppCompatSeekBar_tickMark = 1;
// aapt resource value: 2
public const int AppCompatSeekBar_tickMarkTint = 2;
// aapt resource value: 3
public const int AppCompatSeekBar_tickMarkTintMode = 3;
public static int[] AppCompatTextHelper = new int[] {
16842804,
16843117,
16843118,
16843119,
16843120,
16843666,
16843667};
// aapt resource value: 2
public const int AppCompatTextHelper_android_drawableBottom = 2;
// aapt resource value: 6
public const int AppCompatTextHelper_android_drawableEnd = 6;
// aapt resource value: 3
public const int AppCompatTextHelper_android_drawableLeft = 3;
// aapt resource value: 4
public const int AppCompatTextHelper_android_drawableRight = 4;
// aapt resource value: 5
public const int AppCompatTextHelper_android_drawableStart = 5;
// aapt resource value: 1
public const int AppCompatTextHelper_android_drawableTop = 1;
// aapt resource value: 0
public const int AppCompatTextHelper_android_textAppearance = 0;
public static int[] AppCompatTextView = new int[] {
16842804,
2130772062,
2130772063,
2130772064,
2130772065,
2130772066,
2130772067,
2130772068};
// aapt resource value: 0
public const int AppCompatTextView_android_textAppearance = 0;
// aapt resource value: 6
public const int AppCompatTextView_autoSizeMaxTextSize = 6;
// aapt resource value: 5
public const int AppCompatTextView_autoSizeMinTextSize = 5;
// aapt resource value: 4
public const int AppCompatTextView_autoSizePresetSizes = 4;
// aapt resource value: 3
public const int AppCompatTextView_autoSizeStepGranularity = 3;
// aapt resource value: 2
public const int AppCompatTextView_autoSizeTextType = 2;
// aapt resource value: 7
public const int AppCompatTextView_fontFamily = 7;
// aapt resource value: 1
public const int AppCompatTextView_textAllCaps = 1;
public static int[] AppCompatTheme = new int[] {
16842839,
16842926,
2130772069,
2130772070,
2130772071,
2130772072,
2130772073,
2130772074,
2130772075,
2130772076,
2130772077,
2130772078,
2130772079,
2130772080,
2130772081,
2130772082,
2130772083,
2130772084,
2130772085,
2130772086,
2130772087,
2130772088,
2130772089,
2130772090,
2130772091,
2130772092,
2130772093,
2130772094,
2130772095,
2130772096,
2130772097,
2130772098,
2130772099,
2130772100,
2130772101,
2130772102,
2130772103,
2130772104,
2130772105,
2130772106,
2130772107,
2130772108,
2130772109,
2130772110,
2130772111,
2130772112,
2130772113,
2130772114,
2130772115,
2130772116,
2130772117,
2130772118,
2130772119,
2130772120,
2130772121,
2130772122,
2130772123,
2130772124,
2130772125,
2130772126,
2130772127,
2130772128,
2130772129,
2130772130,
2130772131,
2130772132,
2130772133,
2130772134,
2130772135,
2130772136,
2130772137,
2130772138,
2130772139,
2130772140,
2130772141,
2130772142,
2130772143,
2130772144,
2130772145,
2130772146,
2130772147,
2130772148,
2130772149,
2130772150,
2130772151,
2130772152,
2130772153,
2130772154,
2130772155,
2130772156,
2130772157,
2130772158,
2130772159,
2130772160,
2130772161,
2130772162,
2130772163,
2130772164,
2130772165,
2130772166,
2130772167,
2130772168,
2130772169,
2130772170,
2130772171,
2130772172,
2130772173,
2130772174,
2130772175,
2130772176,
2130772177,
2130772178,
2130772179,
2130772180,
2130772181,
2130772182,
2130772183,
2130772184,
2130772185};
// aapt resource value: 23
public const int AppCompatTheme_actionBarDivider = 23;
// aapt resource value: 24
public const int AppCompatTheme_actionBarItemBackground = 24;
// aapt resource value: 17
public const int AppCompatTheme_actionBarPopupTheme = 17;
// aapt resource value: 22
public const int AppCompatTheme_actionBarSize = 22;
// aapt resource value: 19
public const int AppCompatTheme_actionBarSplitStyle = 19;
// aapt resource value: 18
public const int AppCompatTheme_actionBarStyle = 18;
// aapt resource value: 13
public const int AppCompatTheme_actionBarTabBarStyle = 13;
// aapt resource value: 12
public const int AppCompatTheme_actionBarTabStyle = 12;
// aapt resource value: 14
public const int AppCompatTheme_actionBarTabTextStyle = 14;
// aapt resource value: 20
public const int AppCompatTheme_actionBarTheme = 20;
// aapt resource value: 21
public const int AppCompatTheme_actionBarWidgetTheme = 21;
// aapt resource value: 50
public const int AppCompatTheme_actionButtonStyle = 50;
// aapt resource value: 46
public const int AppCompatTheme_actionDropDownStyle = 46;
// aapt resource value: 25
public const int AppCompatTheme_actionMenuTextAppearance = 25;
// aapt resource value: 26
public const int AppCompatTheme_actionMenuTextColor = 26;
// aapt resource value: 29
public const int AppCompatTheme_actionModeBackground = 29;
// aapt resource value: 28
public const int AppCompatTheme_actionModeCloseButtonStyle = 28;
// aapt resource value: 31
public const int AppCompatTheme_actionModeCloseDrawable = 31;
// aapt resource value: 33
public const int AppCompatTheme_actionModeCopyDrawable = 33;
// aapt resource value: 32
public const int AppCompatTheme_actionModeCutDrawable = 32;
// aapt resource value: 37
public const int AppCompatTheme_actionModeFindDrawable = 37;
// aapt resource value: 34
public const int AppCompatTheme_actionModePasteDrawable = 34;
// aapt resource value: 39
public const int AppCompatTheme_actionModePopupWindowStyle = 39;
// aapt resource value: 35
public const int AppCompatTheme_actionModeSelectAllDrawable = 35;
// aapt resource value: 36
public const int AppCompatTheme_actionModeShareDrawable = 36;
// aapt resource value: 30
public const int AppCompatTheme_actionModeSplitBackground = 30;
// aapt resource value: 27
public const int AppCompatTheme_actionModeStyle = 27;
// aapt resource value: 38
public const int AppCompatTheme_actionModeWebSearchDrawable = 38;
// aapt resource value: 15
public const int AppCompatTheme_actionOverflowButtonStyle = 15;
// aapt resource value: 16
public const int AppCompatTheme_actionOverflowMenuStyle = 16;
// aapt resource value: 58
public const int AppCompatTheme_activityChooserViewStyle = 58;
// aapt resource value: 95
public const int AppCompatTheme_alertDialogButtonGroupStyle = 95;
// aapt resource value: 96
public const int AppCompatTheme_alertDialogCenterButtons = 96;
// aapt resource value: 94
public const int AppCompatTheme_alertDialogStyle = 94;
// aapt resource value: 97
public const int AppCompatTheme_alertDialogTheme = 97;
// aapt resource value: 1
public const int AppCompatTheme_android_windowAnimationStyle = 1;
// aapt resource value: 0
public const int AppCompatTheme_android_windowIsFloating = 0;
// aapt resource value: 102
public const int AppCompatTheme_autoCompleteTextViewStyle = 102;
// aapt resource value: 55
public const int AppCompatTheme_borderlessButtonStyle = 55;
// aapt resource value: 52
public const int AppCompatTheme_buttonBarButtonStyle = 52;
// aapt resource value: 100
public const int AppCompatTheme_buttonBarNegativeButtonStyle = 100;
// aapt resource value: 101
public const int AppCompatTheme_buttonBarNeutralButtonStyle = 101;
// aapt resource value: 99
public const int AppCompatTheme_buttonBarPositiveButtonStyle = 99;
// aapt resource value: 51
public const int AppCompatTheme_buttonBarStyle = 51;
// aapt resource value: 103
public const int AppCompatTheme_buttonStyle = 103;
// aapt resource value: 104
public const int AppCompatTheme_buttonStyleSmall = 104;
// aapt resource value: 105
public const int AppCompatTheme_checkboxStyle = 105;
// aapt resource value: 106
public const int AppCompatTheme_checkedTextViewStyle = 106;
// aapt resource value: 86
public const int AppCompatTheme_colorAccent = 86;
// aapt resource value: 93
public const int AppCompatTheme_colorBackgroundFloating = 93;
// aapt resource value: 90
public const int AppCompatTheme_colorButtonNormal = 90;
// aapt resource value: 88
public const int AppCompatTheme_colorControlActivated = 88;
// aapt resource value: 89
public const int AppCompatTheme_colorControlHighlight = 89;
// aapt resource value: 87
public const int AppCompatTheme_colorControlNormal = 87;
// aapt resource value: 118
public const int AppCompatTheme_colorError = 118;
// aapt resource value: 84
public const int AppCompatTheme_colorPrimary = 84;
// aapt resource value: 85
public const int AppCompatTheme_colorPrimaryDark = 85;
// aapt resource value: 91
public const int AppCompatTheme_colorSwitchThumbNormal = 91;
// aapt resource value: 92
public const int AppCompatTheme_controlBackground = 92;
// aapt resource value: 44
public const int AppCompatTheme_dialogPreferredPadding = 44;
// aapt resource value: 43
public const int AppCompatTheme_dialogTheme = 43;
// aapt resource value: 57
public const int AppCompatTheme_dividerHorizontal = 57;
// aapt resource value: 56
public const int AppCompatTheme_dividerVertical = 56;
// aapt resource value: 75
public const int AppCompatTheme_dropDownListViewStyle = 75;
// aapt resource value: 47
public const int AppCompatTheme_dropdownListPreferredItemHeight = 47;
// aapt resource value: 64
public const int AppCompatTheme_editTextBackground = 64;
// aapt resource value: 63
public const int AppCompatTheme_editTextColor = 63;
// aapt resource value: 107
public const int AppCompatTheme_editTextStyle = 107;
// aapt resource value: 49
public const int AppCompatTheme_homeAsUpIndicator = 49;
// aapt resource value: 65
public const int AppCompatTheme_imageButtonStyle = 65;
// aapt resource value: 83
public const int AppCompatTheme_listChoiceBackgroundIndicator = 83;
// aapt resource value: 45
public const int AppCompatTheme_listDividerAlertDialog = 45;
// aapt resource value: 115
public const int AppCompatTheme_listMenuViewStyle = 115;
// aapt resource value: 76
public const int AppCompatTheme_listPopupWindowStyle = 76;
// aapt resource value: 70
public const int AppCompatTheme_listPreferredItemHeight = 70;
// aapt resource value: 72
public const int AppCompatTheme_listPreferredItemHeightLarge = 72;
// aapt resource value: 71
public const int AppCompatTheme_listPreferredItemHeightSmall = 71;
// aapt resource value: 73
public const int AppCompatTheme_listPreferredItemPaddingLeft = 73;
// aapt resource value: 74
public const int AppCompatTheme_listPreferredItemPaddingRight = 74;
// aapt resource value: 80
public const int AppCompatTheme_panelBackground = 80;
// aapt resource value: 82
public const int AppCompatTheme_panelMenuListTheme = 82;
// aapt resource value: 81
public const int AppCompatTheme_panelMenuListWidth = 81;
// aapt resource value: 61
public const int AppCompatTheme_popupMenuStyle = 61;
// aapt resource value: 62
public const int AppCompatTheme_popupWindowStyle = 62;
// aapt resource value: 108
public const int AppCompatTheme_radioButtonStyle = 108;
// aapt resource value: 109
public const int AppCompatTheme_ratingBarStyle = 109;
// aapt resource value: 110
public const int AppCompatTheme_ratingBarStyleIndicator = 110;
// aapt resource value: 111
public const int AppCompatTheme_ratingBarStyleSmall = 111;
// aapt resource value: 69
public const int AppCompatTheme_searchViewStyle = 69;
// aapt resource value: 112
public const int AppCompatTheme_seekBarStyle = 112;
// aapt resource value: 53
public const int AppCompatTheme_selectableItemBackground = 53;
// aapt resource value: 54
public const int AppCompatTheme_selectableItemBackgroundBorderless = 54;
// aapt resource value: 48
public const int AppCompatTheme_spinnerDropDownItemStyle = 48;
// aapt resource value: 113
public const int AppCompatTheme_spinnerStyle = 113;
// aapt resource value: 114
public const int AppCompatTheme_switchStyle = 114;
// aapt resource value: 40
public const int AppCompatTheme_textAppearanceLargePopupMenu = 40;
// aapt resource value: 77
public const int AppCompatTheme_textAppearanceListItem = 77;
// aapt resource value: 78
public const int AppCompatTheme_textAppearanceListItemSecondary = 78;
// aapt resource value: 79
public const int AppCompatTheme_textAppearanceListItemSmall = 79;
// aapt resource value: 42
public const int AppCompatTheme_textAppearancePopupMenuHeader = 42;
// aapt resource value: 67
public const int AppCompatTheme_textAppearanceSearchResultSubtitle = 67;
// aapt resource value: 66
public const int AppCompatTheme_textAppearanceSearchResultTitle = 66;
// aapt resource value: 41
public const int AppCompatTheme_textAppearanceSmallPopupMenu = 41;
// aapt resource value: 98
public const int AppCompatTheme_textColorAlertDialogListItem = 98;
// aapt resource value: 68
public const int AppCompatTheme_textColorSearchUrl = 68;
// aapt resource value: 60
public const int AppCompatTheme_toolbarNavigationButtonStyle = 60;
// aapt resource value: 59
public const int AppCompatTheme_toolbarStyle = 59;
// aapt resource value: 117
public const int AppCompatTheme_tooltipForegroundColor = 117;
// aapt resource value: 116
public const int AppCompatTheme_tooltipFrameBackground = 116;
// aapt resource value: 2
public const int AppCompatTheme_windowActionBar = 2;
// aapt resource value: 4
public const int AppCompatTheme_windowActionBarOverlay = 4;
// aapt resource value: 5
public const int AppCompatTheme_windowActionModeOverlay = 5;
// aapt resource value: 9
public const int AppCompatTheme_windowFixedHeightMajor = 9;
// aapt resource value: 7
public const int AppCompatTheme_windowFixedHeightMinor = 7;
// aapt resource value: 6
public const int AppCompatTheme_windowFixedWidthMajor = 6;
// aapt resource value: 8
public const int AppCompatTheme_windowFixedWidthMinor = 8;
// aapt resource value: 10
public const int AppCompatTheme_windowMinWidthMajor = 10;
// aapt resource value: 11
public const int AppCompatTheme_windowMinWidthMinor = 11;
// aapt resource value: 3
public const int AppCompatTheme_windowNoTitle = 3;
public static int[] BottomNavigationView = new int[] {
2130772045,
2130772306,
2130772307,
2130772308,
2130772309};
// aapt resource value: 0
public const int BottomNavigationView_elevation = 0;
// aapt resource value: 4
public const int BottomNavigationView_itemBackground = 4;
// aapt resource value: 2
public const int BottomNavigationView_itemIconTint = 2;
// aapt resource value: 3
public const int BottomNavigationView_itemTextColor = 3;
// aapt resource value: 1
public const int BottomNavigationView_menu = 1;
public static int[] BottomSheetBehavior_Layout = new int[] {
2130772268,
2130772269,
2130772270};
// aapt resource value: 1
public const int BottomSheetBehavior_Layout_behavior_hideable = 1;
// aapt resource value: 0
public const int BottomSheetBehavior_Layout_behavior_peekHeight = 0;
// aapt resource value: 2
public const int BottomSheetBehavior_Layout_behavior_skipCollapsed = 2;
public static int[] ButtonBarLayout = new int[] {
2130772186};
// aapt resource value: 0
public const int ButtonBarLayout_allowStacking = 0;
public static int[] CardView = new int[] {
16843071,
16843072,
2130772006,
2130772007,
2130772008,
2130772009,
2130772010,
2130772011,
2130772012,
2130772013,
2130772014,
2130772015,
2130772016};
// aapt resource value: 1
public const int CardView_android_minHeight = 1;
// aapt resource value: 0
public const int CardView_android_minWidth = 0;
// aapt resource value: 2
public const int CardView_cardBackgroundColor = 2;
// aapt resource value: 3
public const int CardView_cardCornerRadius = 3;
// aapt resource value: 4
public const int CardView_cardElevation = 4;
// aapt resource value: 5
public const int CardView_cardMaxElevation = 5;
// aapt resource value: 7
public const int CardView_cardPreventCornerOverlap = 7;
// aapt resource value: 6
public const int CardView_cardUseCompatPadding = 6;
// aapt resource value: 8
public const int CardView_contentPadding = 8;
// aapt resource value: 12
public const int CardView_contentPaddingBottom = 12;
// aapt resource value: 9
public const int CardView_contentPaddingLeft = 9;
// aapt resource value: 10
public const int CardView_contentPaddingRight = 10;
// aapt resource value: 11
public const int CardView_contentPaddingTop = 11;
public static int[] CollapsingToolbarLayout = new int[] {
2130772020,
2130772271,
2130772272,
2130772273,
2130772274,
2130772275,
2130772276,
2130772277,
2130772278,
2130772279,
2130772280,
2130772281,
2130772282,
2130772283,
2130772284,
2130772285};
// aapt resource value: 13
public const int CollapsingToolbarLayout_collapsedTitleGravity = 13;
// aapt resource value: 7
public const int CollapsingToolbarLayout_collapsedTitleTextAppearance = 7;
// aapt resource value: 8
public const int CollapsingToolbarLayout_contentScrim = 8;
// aapt resource value: 14
public const int CollapsingToolbarLayout_expandedTitleGravity = 14;
// aapt resource value: 1
public const int CollapsingToolbarLayout_expandedTitleMargin = 1;
// aapt resource value: 5
public const int CollapsingToolbarLayout_expandedTitleMarginBottom = 5;
// aapt resource value: 4
public const int CollapsingToolbarLayout_expandedTitleMarginEnd = 4;
// aapt resource value: 2
public const int CollapsingToolbarLayout_expandedTitleMarginStart = 2;
// aapt resource value: 3
public const int CollapsingToolbarLayout_expandedTitleMarginTop = 3;
// aapt resource value: 6
public const int CollapsingToolbarLayout_expandedTitleTextAppearance = 6;
// aapt resource value: 12
public const int CollapsingToolbarLayout_scrimAnimationDuration = 12;
// aapt resource value: 11
public const int CollapsingToolbarLayout_scrimVisibleHeightTrigger = 11;
// aapt resource value: 9
public const int CollapsingToolbarLayout_statusBarScrim = 9;
// aapt resource value: 0
public const int CollapsingToolbarLayout_title = 0;
// aapt resource value: 15
public const int CollapsingToolbarLayout_titleEnabled = 15;
// aapt resource value: 10
public const int CollapsingToolbarLayout_toolbarId = 10;
public static int[] CollapsingToolbarLayout_Layout = new int[] {
2130772286,
2130772287};
// aapt resource value: 0
public const int CollapsingToolbarLayout_Layout_layout_collapseMode = 0;
// aapt resource value: 1
public const int CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier = 1;
public static int[] ColorStateListItem = new int[] {
16843173,
16843551,
2130772187};
// aapt resource value: 2
public const int ColorStateListItem_alpha = 2;
// aapt resource value: 1
public const int ColorStateListItem_android_alpha = 1;
// aapt resource value: 0
public const int ColorStateListItem_android_color = 0;
public static int[] CompoundButton = new int[] {
16843015,
2130772188,
2130772189};
// aapt resource value: 0
public const int CompoundButton_android_button = 0;
// aapt resource value: 1
public const int CompoundButton_buttonTint = 1;
// aapt resource value: 2
public const int CompoundButton_buttonTintMode = 2;
public static int[] CoordinatorLayout = new int[] {
2130772288,
2130772289};
// aapt resource value: 0
public const int CoordinatorLayout_keylines = 0;
// aapt resource value: 1
public const int CoordinatorLayout_statusBarBackground = 1;
public static int[] CoordinatorLayout_Layout = new int[] {
16842931,
2130772290,
2130772291,
2130772292,
2130772293,
2130772294,
2130772295};
// aapt resource value: 0
public const int CoordinatorLayout_Layout_android_layout_gravity = 0;
// aapt resource value: 2
public const int CoordinatorLayout_Layout_layout_anchor = 2;
// aapt resource value: 4
public const int CoordinatorLayout_Layout_layout_anchorGravity = 4;
// aapt resource value: 1
public const int CoordinatorLayout_Layout_layout_behavior = 1;
// aapt resource value: 6
public const int CoordinatorLayout_Layout_layout_dodgeInsetEdges = 6;
// aapt resource value: 5
public const int CoordinatorLayout_Layout_layout_insetEdge = 5;
// aapt resource value: 3
public const int CoordinatorLayout_Layout_layout_keyline = 3;
public static int[] DesignTheme = new int[] {
2130772296,
2130772297,
2130772298};
// aapt resource value: 0
public const int DesignTheme_bottomSheetDialogTheme = 0;
// aapt resource value: 1
public const int DesignTheme_bottomSheetStyle = 1;
// aapt resource value: 2
public const int DesignTheme_textColorError = 2;
public static int[] DrawerArrowToggle = new int[] {
2130772190,
2130772191,
2130772192,
2130772193,
2130772194,
2130772195,
2130772196,
2130772197};
// aapt resource value: 4
public const int DrawerArrowToggle_arrowHeadLength = 4;
// aapt resource value: 5
public const int DrawerArrowToggle_arrowShaftLength = 5;
// aapt resource value: 6
public const int DrawerArrowToggle_barLength = 6;
// aapt resource value: 0
public const int DrawerArrowToggle_color = 0;
// aapt resource value: 2
public const int DrawerArrowToggle_drawableSize = 2;
// aapt resource value: 3
public const int DrawerArrowToggle_gapBetweenBars = 3;
// aapt resource value: 1
public const int DrawerArrowToggle_spinBars = 1;
// aapt resource value: 7
public const int DrawerArrowToggle_thickness = 7;
public static int[] FloatingActionButton = new int[] {
2130772045,
2130772261,
2130772262,
2130772299,
2130772300,
2130772301,
2130772302,
2130772303,
2130772371,
2130772372,
2130772373,
2130772374,
2130772375,
2130772376};
// aapt resource value: 1
public const int FloatingActionButton_backgroundTint = 1;
// aapt resource value: 2
public const int FloatingActionButton_backgroundTintMode = 2;
// aapt resource value: 6
public const int FloatingActionButton_borderWidth = 6;
// aapt resource value: 0
public const int FloatingActionButton_elevation = 0;
// aapt resource value: 4
public const int FloatingActionButton_fabSize = 4;
// aapt resource value: 10
public const int FloatingActionButton_fab_colorDisabled = 10;
// aapt resource value: 9
public const int FloatingActionButton_fab_colorNormal = 9;
// aapt resource value: 8
public const int FloatingActionButton_fab_colorPressed = 8;
// aapt resource value: 11
public const int FloatingActionButton_fab_colorRipple = 11;
// aapt resource value: 12
public const int FloatingActionButton_fab_shadow = 12;
// aapt resource value: 13
public const int FloatingActionButton_fab_size = 13;
// aapt resource value: 5
public const int FloatingActionButton_pressedTranslationZ = 5;
// aapt resource value: 3
public const int FloatingActionButton_rippleColor = 3;
// aapt resource value: 7
public const int FloatingActionButton_useCompatPadding = 7;
public static int[] FloatingActionButton_Behavior_Layout = new int[] {
2130772304};
// aapt resource value: 0
public const int FloatingActionButton_Behavior_Layout_behavior_autoHide = 0;
public static int[] FontFamily = new int[] {
2130772345,
2130772346,
2130772347,
2130772348,
2130772349,
2130772350};
// aapt resource value: 0
public const int FontFamily_fontProviderAuthority = 0;
// aapt resource value: 3
public const int FontFamily_fontProviderCerts = 3;
// aapt resource value: 4
public const int FontFamily_fontProviderFetchStrategy = 4;
// aapt resource value: 5
public const int FontFamily_fontProviderFetchTimeout = 5;
// aapt resource value: 1
public const int FontFamily_fontProviderPackage = 1;
// aapt resource value: 2
public const int FontFamily_fontProviderQuery = 2;
public static int[] FontFamilyFont = new int[] {
2130772351,
2130772352,
2130772353};
// aapt resource value: 1
public const int FontFamilyFont_font = 1;
// aapt resource value: 0
public const int FontFamilyFont_fontStyle = 0;
// aapt resource value: 2
public const int FontFamilyFont_fontWeight = 2;
public static int[] ForegroundLinearLayout = new int[] {
16843017,
16843264,
2130772305};
// aapt resource value: 0
public const int ForegroundLinearLayout_android_foreground = 0;
// aapt resource value: 1
public const int ForegroundLinearLayout_android_foregroundGravity = 1;
// aapt resource value: 2
public const int ForegroundLinearLayout_foregroundInsidePadding = 2;
public static int[] LinearLayoutCompat = new int[] {
16842927,
16842948,
16843046,
16843047,
16843048,
2130772028,
2130772198,
2130772199,
2130772200};
// aapt resource value: 2
public const int LinearLayoutCompat_android_baselineAligned = 2;
// aapt resource value: 3
public const int LinearLayoutCompat_android_baselineAlignedChildIndex = 3;
// aapt resource value: 0
public const int LinearLayoutCompat_android_gravity = 0;
// aapt resource value: 1
public const int LinearLayoutCompat_android_orientation = 1;
// aapt resource value: 4
public const int LinearLayoutCompat_android_weightSum = 4;
// aapt resource value: 5
public const int LinearLayoutCompat_divider = 5;
// aapt resource value: 8
public const int LinearLayoutCompat_dividerPadding = 8;
// aapt resource value: 6
public const int LinearLayoutCompat_measureWithLargestChild = 6;
// aapt resource value: 7
public const int LinearLayoutCompat_showDividers = 7;
public static int[] LinearLayoutCompat_Layout = new int[] {
16842931,
16842996,
16842997,
16843137};
// aapt resource value: 0
public const int LinearLayoutCompat_Layout_android_layout_gravity = 0;
// aapt resource value: 2
public const int LinearLayoutCompat_Layout_android_layout_height = 2;
// aapt resource value: 3
public const int LinearLayoutCompat_Layout_android_layout_weight = 3;
// aapt resource value: 1
public const int LinearLayoutCompat_Layout_android_layout_width = 1;
public static int[] ListPopupWindow = new int[] {
16843436,
16843437};
// aapt resource value: 0
public const int ListPopupWindow_android_dropDownHorizontalOffset = 0;
// aapt resource value: 1
public const int ListPopupWindow_android_dropDownVerticalOffset = 1;
public static int[] LoadingImageView = new int[] {
2130771991,
2130771992,
2130771993};
// aapt resource value: 2
public const int LoadingImageView_circleCrop = 2;
// aapt resource value: 1
public const int LoadingImageView_imageAspectRatio = 1;
// aapt resource value: 0
public const int LoadingImageView_imageAspectRatioAdjust = 0;
public static int[] MapAttrs = new int[] {
2130771968,
2130771969,
2130771970,
2130771971,
2130771972,
2130771973,
2130771974,
2130771975,
2130771976,
2130771977,
2130771978,
2130771979,
2130771980,
2130771981,
2130771982,
2130771983,
2130771984,
2130771985,
2130771986,
2130771987,
2130771988,
2130771989,
2130771990};
// aapt resource value: 16
public const int MapAttrs_ambientEnabled = 16;
// aapt resource value: 1
public const int MapAttrs_cameraBearing = 1;
// aapt resource value: 18
public const int MapAttrs_cameraMaxZoomPreference = 18;
// aapt resource value: 17
public const int MapAttrs_cameraMinZoomPreference = 17;
// aapt resource value: 2
public const int MapAttrs_cameraTargetLat = 2;
// aapt resource value: 3
public const int MapAttrs_cameraTargetLng = 3;
// aapt resource value: 4
public const int MapAttrs_cameraTilt = 4;
// aapt resource value: 5
public const int MapAttrs_cameraZoom = 5;
// aapt resource value: 21
public const int MapAttrs_latLngBoundsNorthEastLatitude = 21;
// aapt resource value: 22
public const int MapAttrs_latLngBoundsNorthEastLongitude = 22;
// aapt resource value: 19
public const int MapAttrs_latLngBoundsSouthWestLatitude = 19;
// aapt resource value: 20
public const int MapAttrs_latLngBoundsSouthWestLongitude = 20;
// aapt resource value: 6
public const int MapAttrs_liteMode = 6;
// aapt resource value: 0
public const int MapAttrs_mapType = 0;
// aapt resource value: 7
public const int MapAttrs_uiCompass = 7;
// aapt resource value: 15
public const int MapAttrs_uiMapToolbar = 15;
// aapt resource value: 8
public const int MapAttrs_uiRotateGestures = 8;
// aapt resource value: 9
public const int MapAttrs_uiScrollGestures = 9;
// aapt resource value: 10
public const int MapAttrs_uiTiltGestures = 10;
// aapt resource value: 11
public const int MapAttrs_uiZoomControls = 11;
// aapt resource value: 12
public const int MapAttrs_uiZoomGestures = 12;
// aapt resource value: 13
public const int MapAttrs_useViewLifecycle = 13;
// aapt resource value: 14
public const int MapAttrs_zOrderOnTop = 14;
public static int[] MenuGroup = new int[] {
16842766,
16842960,
16843156,
16843230,
16843231,
16843232};
// aapt resource value: 5
public const int MenuGroup_android_checkableBehavior = 5;
// aapt resource value: 0
public const int MenuGroup_android_enabled = 0;
// aapt resource value: 1
public const int MenuGroup_android_id = 1;
// aapt resource value: 3
public const int MenuGroup_android_menuCategory = 3;
// aapt resource value: 4
public const int MenuGroup_android_orderInCategory = 4;
// aapt resource value: 2
public const int MenuGroup_android_visible = 2;
public static int[] MenuItem = new int[] {
16842754,
16842766,
16842960,
16843014,
16843156,
16843230,
16843231,
16843233,
16843234,
16843235,
16843236,
16843237,
16843375,
2130772201,
2130772202,
2130772203,
2130772204,
2130772205,
2130772206,
2130772207,
2130772208,
2130772209,
2130772210};
// aapt resource value: 16
public const int MenuItem_actionLayout = 16;
// aapt resource value: 18
public const int MenuItem_actionProviderClass = 18;
// aapt resource value: 17
public const int MenuItem_actionViewClass = 17;
// aapt resource value: 13
public const int MenuItem_alphabeticModifiers = 13;
// aapt resource value: 9
public const int MenuItem_android_alphabeticShortcut = 9;
// aapt resource value: 11
public const int MenuItem_android_checkable = 11;
// aapt resource value: 3
public const int MenuItem_android_checked = 3;
// aapt resource value: 1
public const int MenuItem_android_enabled = 1;
// aapt resource value: 0
public const int MenuItem_android_icon = 0;
// aapt resource value: 2
public const int MenuItem_android_id = 2;
// aapt resource value: 5
public const int MenuItem_android_menuCategory = 5;
// aapt resource value: 10
public const int MenuItem_android_numericShortcut = 10;
// aapt resource value: 12
public const int MenuItem_android_onClick = 12;
// aapt resource value: 6
public const int MenuItem_android_orderInCategory = 6;
// aapt resource value: 7
public const int MenuItem_android_title = 7;
// aapt resource value: 8
public const int MenuItem_android_titleCondensed = 8;
// aapt resource value: 4
public const int MenuItem_android_visible = 4;
// aapt resource value: 19
public const int MenuItem_contentDescription = 19;
// aapt resource value: 21
public const int MenuItem_iconTint = 21;
// aapt resource value: 22
public const int MenuItem_iconTintMode = 22;
// aapt resource value: 14
public const int MenuItem_numericModifiers = 14;
// aapt resource value: 15
public const int MenuItem_showAsAction = 15;
// aapt resource value: 20
public const int MenuItem_tooltipText = 20;
public static int[] MenuView = new int[] {
16842926,
16843052,
16843053,
16843054,
16843055,
16843056,
16843057,
2130772211,
2130772212};
// aapt resource value: 4
public const int MenuView_android_headerBackground = 4;
// aapt resource value: 2
public const int MenuView_android_horizontalDivider = 2;
// aapt resource value: 5
public const int MenuView_android_itemBackground = 5;
// aapt resource value: 6
public const int MenuView_android_itemIconDisabledAlpha = 6;
// aapt resource value: 1
public const int MenuView_android_itemTextAppearance = 1;
// aapt resource value: 3
public const int MenuView_android_verticalDivider = 3;
// aapt resource value: 0
public const int MenuView_android_windowAnimationStyle = 0;
// aapt resource value: 7
public const int MenuView_preserveIconSpacing = 7;
// aapt resource value: 8
public const int MenuView_subMenuArrow = 8;
public static int[] MvxBinding = new int[] {
2130772378,
2130772379};
// aapt resource value: 0
public const int MvxBinding_MvxBind = 0;
// aapt resource value: 1
public const int MvxBinding_MvxLang = 1;
public static int[] MvxControl = new int[] {
2130772380};
// aapt resource value: 0
public const int MvxControl_MvxTemplate = 0;
public static int[] MvxExpandableListView = new int[] {
2130772383};
// aapt resource value: 0
public const int MvxExpandableListView_MvxGroupItemTemplate = 0;
public static int[] MvxImageView = new int[] {
2130772384};
// aapt resource value: 0
public const int MvxImageView_MvxSource = 0;
public static int[] MvxListView = new int[] {
2130772381,
2130772382};
// aapt resource value: 1
public const int MvxListView_MvxDropDownItemTemplate = 1;
// aapt resource value: 0
public const int MvxListView_MvxItemTemplate = 0;
public static int[] MvxRecyclerView = new int[] {
2130772377};
// aapt resource value: 0
public const int MvxRecyclerView_MvxTemplateSelector = 0;
public static int[] NavigationView = new int[] {
16842964,
16842973,
16843039,
2130772045,
2130772306,
2130772307,
2130772308,
2130772309,
2130772310,
2130772311};
// aapt resource value: 0
public const int NavigationView_android_background = 0;
// aapt resource value: 1
public const int NavigationView_android_fitsSystemWindows = 1;
// aapt resource value: 2
public const int NavigationView_android_maxWidth = 2;
// aapt resource value: 3
public const int NavigationView_elevation = 3;
// aapt resource value: 9
public const int NavigationView_headerLayout = 9;
// aapt resource value: 7
public const int NavigationView_itemBackground = 7;
// aapt resource value: 5
public const int NavigationView_itemIconTint = 5;
// aapt resource value: 8
public const int NavigationView_itemTextAppearance = 8;
// aapt resource value: 6
public const int NavigationView_itemTextColor = 6;
// aapt resource value: 4
public const int NavigationView_menu = 4;
public static int[] PagerSlidingTabStrip = new int[] {
2130772354,
2130772355,
2130772356,
2130772357,
2130772358,
2130772359,
2130772360,
2130772361,
2130772362,
2130772363,
2130772364,
2130772365,
2130772366,
2130772367,
2130772368,
2130772369,
2130772370};
// aapt resource value: 2
public const int PagerSlidingTabStrip_pstsDividerColor = 2;
// aapt resource value: 6
public const int PagerSlidingTabStrip_pstsDividerPadding = 6;
// aapt resource value: 3
public const int PagerSlidingTabStrip_pstsDividerWidth = 3;
// aapt resource value: 0
public const int PagerSlidingTabStrip_pstsIndicatorColor = 0;
// aapt resource value: 4
public const int PagerSlidingTabStrip_pstsIndicatorHeight = 4;
// aapt resource value: 12
public const int PagerSlidingTabStrip_pstsPaddingMiddle = 12;
// aapt resource value: 8
public const int PagerSlidingTabStrip_pstsScrollOffset = 8;
// aapt resource value: 10
public const int PagerSlidingTabStrip_pstsShouldExpand = 10;
// aapt resource value: 9
public const int PagerSlidingTabStrip_pstsTabBackground = 9;
// aapt resource value: 7
public const int PagerSlidingTabStrip_pstsTabPaddingLeftRight = 7;
// aapt resource value: 11
public const int PagerSlidingTabStrip_pstsTextAllCaps = 11;
// aapt resource value: 14
public const int PagerSlidingTabStrip_pstsTextAlpha = 14;
// aapt resource value: 13
public const int PagerSlidingTabStrip_pstsTextColorSelected = 13;
// aapt resource value: 16
public const int PagerSlidingTabStrip_pstsTextSelectedStyle = 16;
// aapt resource value: 15
public const int PagerSlidingTabStrip_pstsTextStyle = 15;
// aapt resource value: 1
public const int PagerSlidingTabStrip_pstsUnderlineColor = 1;
// aapt resource value: 5
public const int PagerSlidingTabStrip_pstsUnderlineHeight = 5;
public static int[] PopupWindow = new int[] {
16843126,
16843465,
2130772213};
// aapt resource value: 1
public const int PopupWindow_android_popupAnimationStyle = 1;
// aapt resource value: 0
public const int PopupWindow_android_popupBackground = 0;
// aapt resource value: 2
public const int PopupWindow_overlapAnchor = 2;
public static int[] PopupWindowBackgroundState = new int[] {
2130772214};
// aapt resource value: 0
public const int PopupWindowBackgroundState_state_above_anchor = 0;
public static int[] ProgressWheel = new int[] {
2130772385,
2130772386,
2130772387,
2130772388,
2130772389,
2130772390,
2130772391,
2130772392,
2130772393,
2130772394,
2130772395,
2130772396};
// aapt resource value: 3
public const int ProgressWheel_ahBarColor = 3;
// aapt resource value: 11
public const int ProgressWheel_ahBarLength = 11;
// aapt resource value: 10
public const int ProgressWheel_ahBarWidth = 10;
// aapt resource value: 8
public const int ProgressWheel_ahCircleColor = 8;
// aapt resource value: 7
public const int ProgressWheel_ahDelayMillis = 7;
// aapt resource value: 9
public const int ProgressWheel_ahRadius = 9;
// aapt resource value: 4
public const int ProgressWheel_ahRimColor = 4;
// aapt resource value: 5
public const int ProgressWheel_ahRimWidth = 5;
// aapt resource value: 6
public const int ProgressWheel_ahSpinSpeed = 6;
// aapt resource value: 0
public const int ProgressWheel_ahText = 0;
// aapt resource value: 1
public const int ProgressWheel_ahTextColor = 1;
// aapt resource value: 2
public const int ProgressWheel_ahTextSize = 2;
public static int[] RecycleListView = new int[] {
2130772215,
2130772216};
// aapt resource value: 0
public const int RecycleListView_paddingBottomNoButtons = 0;
// aapt resource value: 1
public const int RecycleListView_paddingTopNoTitle = 1;
public static int[] RecyclerView = new int[] {
16842948,
16842993,
2130771997,
2130771998,
2130771999,
2130772000,
2130772001,
2130772002,
2130772003,
2130772004,
2130772005};
// aapt resource value: 1
public const int RecyclerView_android_descendantFocusability = 1;
// aapt resource value: 0
public const int RecyclerView_android_orientation = 0;
// aapt resource value: 6
public const int RecyclerView_fastScrollEnabled = 6;
// aapt resource value: 9
public const int RecyclerView_fastScrollHorizontalThumbDrawable = 9;
// aapt resource value: 10
public const int RecyclerView_fastScrollHorizontalTrackDrawable = 10;
// aapt resource value: 7
public const int RecyclerView_fastScrollVerticalThumbDrawable = 7;
// aapt resource value: 8
public const int RecyclerView_fastScrollVerticalTrackDrawable = 8;
// aapt resource value: 2
public const int RecyclerView_layoutManager = 2;
// aapt resource value: 4
public const int RecyclerView_reverseLayout = 4;
// aapt resource value: 3
public const int RecyclerView_spanCount = 3;
// aapt resource value: 5
public const int RecyclerView_stackFromEnd = 5;
public static int[] ScrimInsetsFrameLayout = new int[] {
2130772312};
// aapt resource value: 0
public const int ScrimInsetsFrameLayout_insetForeground = 0;
public static int[] ScrollingViewBehavior_Layout = new int[] {
2130772313};
// aapt resource value: 0
public const int ScrollingViewBehavior_Layout_behavior_overlapTop = 0;
public static int[] SearchView = new int[] {
16842970,
16843039,
16843296,
16843364,
2130772217,
2130772218,
2130772219,
2130772220,
2130772221,
2130772222,
2130772223,
2130772224,
2130772225,
2130772226,
2130772227,
2130772228,
2130772229};
// aapt resource value: 0
public const int SearchView_android_focusable = 0;
// aapt resource value: 3
public const int SearchView_android_imeOptions = 3;
// aapt resource value: 2
public const int SearchView_android_inputType = 2;
// aapt resource value: 1
public const int SearchView_android_maxWidth = 1;
// aapt resource value: 8
public const int SearchView_closeIcon = 8;
// aapt resource value: 13
public const int SearchView_commitIcon = 13;
// aapt resource value: 7
public const int SearchView_defaultQueryHint = 7;
// aapt resource value: 9
public const int SearchView_goIcon = 9;
// aapt resource value: 5
public const int SearchView_iconifiedByDefault = 5;
// aapt resource value: 4
public const int SearchView_layout = 4;
// aapt resource value: 15
public const int SearchView_queryBackground = 15;
// aapt resource value: 6
public const int SearchView_queryHint = 6;
// aapt resource value: 11
public const int SearchView_searchHintIcon = 11;
// aapt resource value: 10
public const int SearchView_searchIcon = 10;
// aapt resource value: 16
public const int SearchView_submitBackground = 16;
// aapt resource value: 14
public const int SearchView_suggestionRowLayout = 14;
// aapt resource value: 12
public const int SearchView_voiceIcon = 12;
public static int[] SignInButton = new int[] {
2130771994,
2130771995,
2130771996};
// aapt resource value: 0
public const int SignInButton_buttonSize = 0;
// aapt resource value: 1
public const int SignInButton_colorScheme = 1;
// aapt resource value: 2
public const int SignInButton_scopeUris = 2;
public static int[] SnackbarLayout = new int[] {
16843039,
2130772045,
2130772314};
// aapt resource value: 0
public const int SnackbarLayout_android_maxWidth = 0;
// aapt resource value: 1
public const int SnackbarLayout_elevation = 1;
// aapt resource value: 2
public const int SnackbarLayout_maxActionInlineWidth = 2;
public static int[] Spinner = new int[] {
16842930,
16843126,
16843131,
16843362,
2130772046};
// aapt resource value: 3
public const int Spinner_android_dropDownWidth = 3;
// aapt resource value: 0
public const int Spinner_android_entries = 0;
// aapt resource value: 1
public const int Spinner_android_popupBackground = 1;
// aapt resource value: 2
public const int Spinner_android_prompt = 2;
// aapt resource value: 4
public const int Spinner_popupTheme = 4;
public static int[] SwitchCompat = new int[] {
16843044,
16843045,
16843074,
2130772230,
2130772231,
2130772232,
2130772233,
2130772234,
2130772235,
2130772236,
2130772237,
2130772238,
2130772239,
2130772240};
// aapt resource value: 1
public const int SwitchCompat_android_textOff = 1;
// aapt resource value: 0
public const int SwitchCompat_android_textOn = 0;
// aapt resource value: 2
public const int SwitchCompat_android_thumb = 2;
// aapt resource value: 13
public const int SwitchCompat_showText = 13;
// aapt resource value: 12
public const int SwitchCompat_splitTrack = 12;
// aapt resource value: 10
public const int SwitchCompat_switchMinWidth = 10;
// aapt resource value: 11
public const int SwitchCompat_switchPadding = 11;
// aapt resource value: 9
public const int SwitchCompat_switchTextAppearance = 9;
// aapt resource value: 8
public const int SwitchCompat_thumbTextPadding = 8;
// aapt resource value: 3
public const int SwitchCompat_thumbTint = 3;
// aapt resource value: 4
public const int SwitchCompat_thumbTintMode = 4;
// aapt resource value: 5
public const int SwitchCompat_track = 5;
// aapt resource value: 6
public const int SwitchCompat_trackTint = 6;
// aapt resource value: 7
public const int SwitchCompat_trackTintMode = 7;
public static int[] TabItem = new int[] {
16842754,
16842994,
16843087};
// aapt resource value: 0
public const int TabItem_android_icon = 0;
// aapt resource value: 1
public const int TabItem_android_layout = 1;
// aapt resource value: 2
public const int TabItem_android_text = 2;
public static int[] TabLayout = new int[] {
2130772315,
2130772316,
2130772317,
2130772318,
2130772319,
2130772320,
2130772321,
2130772322,
2130772323,
2130772324,
2130772325,
2130772326,
2130772327,
2130772328,
2130772329,
2130772330};
// aapt resource value: 3
public const int TabLayout_tabBackground = 3;
// aapt resource value: 2
public const int TabLayout_tabContentStart = 2;
// aapt resource value: 5
public const int TabLayout_tabGravity = 5;
// aapt resource value: 0
public const int TabLayout_tabIndicatorColor = 0;
// aapt resource value: 1
public const int TabLayout_tabIndicatorHeight = 1;
// aapt resource value: 7
public const int TabLayout_tabMaxWidth = 7;
// aapt resource value: 6
public const int TabLayout_tabMinWidth = 6;
// aapt resource value: 4
public const int TabLayout_tabMode = 4;
// aapt resource value: 15
public const int TabLayout_tabPadding = 15;
// aapt resource value: 14
public const int TabLayout_tabPaddingBottom = 14;
// aapt resource value: 13
public const int TabLayout_tabPaddingEnd = 13;
// aapt resource value: 11
public const int TabLayout_tabPaddingStart = 11;
// aapt resource value: 12
public const int TabLayout_tabPaddingTop = 12;
// aapt resource value: 10
public const int TabLayout_tabSelectedTextColor = 10;
// aapt resource value: 8
public const int TabLayout_tabTextAppearance = 8;
// aapt resource value: 9
public const int TabLayout_tabTextColor = 9;
public static int[] TextAppearance = new int[] {
16842901,
16842902,
16842903,
16842904,
16842906,
16842907,
16843105,
16843106,
16843107,
16843108,
16843692,
2130772062,
2130772068};
// aapt resource value: 10
public const int TextAppearance_android_fontFamily = 10;
// aapt resource value: 6
public const int TextAppearance_android_shadowColor = 6;
// aapt resource value: 7
public const int TextAppearance_android_shadowDx = 7;
// aapt resource value: 8
public const int TextAppearance_android_shadowDy = 8;
// aapt resource value: 9
public const int TextAppearance_android_shadowRadius = 9;
// aapt resource value: 3
public const int TextAppearance_android_textColor = 3;
// aapt resource value: 4
public const int TextAppearance_android_textColorHint = 4;
// aapt resource value: 5
public const int TextAppearance_android_textColorLink = 5;
// aapt resource value: 0
public const int TextAppearance_android_textSize = 0;
// aapt resource value: 2
public const int TextAppearance_android_textStyle = 2;
// aapt resource value: 1
public const int TextAppearance_android_typeface = 1;
// aapt resource value: 12
public const int TextAppearance_fontFamily = 12;
// aapt resource value: 11
public const int TextAppearance_textAllCaps = 11;
public static int[] TextInputLayout = new int[] {
16842906,
16843088,
2130772331,
2130772332,
2130772333,
2130772334,
2130772335,
2130772336,
2130772337,
2130772338,
2130772339,
2130772340,
2130772341,
2130772342,
2130772343,
2130772344};
// aapt resource value: 1
public const int TextInputLayout_android_hint = 1;
// aapt resource value: 0
public const int TextInputLayout_android_textColorHint = 0;
// aapt resource value: 6
public const int TextInputLayout_counterEnabled = 6;
// aapt resource value: 7
public const int TextInputLayout_counterMaxLength = 7;
// aapt resource value: 9
public const int TextInputLayout_counterOverflowTextAppearance = 9;
// aapt resource value: 8
public const int TextInputLayout_counterTextAppearance = 8;
// aapt resource value: 4
public const int TextInputLayout_errorEnabled = 4;
// aapt resource value: 5
public const int TextInputLayout_errorTextAppearance = 5;
// aapt resource value: 10
public const int TextInputLayout_hintAnimationEnabled = 10;
// aapt resource value: 3
public const int TextInputLayout_hintEnabled = 3;
// aapt resource value: 2
public const int TextInputLayout_hintTextAppearance = 2;
// aapt resource value: 13
public const int TextInputLayout_passwordToggleContentDescription = 13;
// aapt resource value: 12
public const int TextInputLayout_passwordToggleDrawable = 12;
// aapt resource value: 11
public const int TextInputLayout_passwordToggleEnabled = 11;
// aapt resource value: 14
public const int TextInputLayout_passwordToggleTint = 14;
// aapt resource value: 15
public const int TextInputLayout_passwordToggleTintMode = 15;
public static int[] Toolbar = new int[] {
16842927,
16843072,
2130772020,
2130772023,
2130772027,
2130772039,
2130772040,
2130772041,
2130772042,
2130772043,
2130772044,
2130772046,
2130772241,
2130772242,
2130772243,
2130772244,
2130772245,
2130772246,
2130772247,
2130772248,
2130772249,
2130772250,
2130772251,
2130772252,
2130772253,
2130772254,
2130772255,
2130772256,
2130772257};
// aapt resource value: 0
public const int Toolbar_android_gravity = 0;
// aapt resource value: 1
public const int Toolbar_android_minHeight = 1;
// aapt resource value: 21
public const int Toolbar_buttonGravity = 21;
// aapt resource value: 23
public const int Toolbar_collapseContentDescription = 23;
// aapt resource value: 22
public const int Toolbar_collapseIcon = 22;
// aapt resource value: 6
public const int Toolbar_contentInsetEnd = 6;
// aapt resource value: 10
public const int Toolbar_contentInsetEndWithActions = 10;
// aapt resource value: 7
public const int Toolbar_contentInsetLeft = 7;
// aapt resource value: 8
public const int Toolbar_contentInsetRight = 8;
// aapt resource value: 5
public const int Toolbar_contentInsetStart = 5;
// aapt resource value: 9
public const int Toolbar_contentInsetStartWithNavigation = 9;
// aapt resource value: 4
public const int Toolbar_logo = 4;
// aapt resource value: 26
public const int Toolbar_logoDescription = 26;
// aapt resource value: 20
public const int Toolbar_maxButtonHeight = 20;
// aapt resource value: 25
public const int Toolbar_navigationContentDescription = 25;
// aapt resource value: 24
public const int Toolbar_navigationIcon = 24;
// aapt resource value: 11
public const int Toolbar_popupTheme = 11;
// aapt resource value: 3
public const int Toolbar_subtitle = 3;
// aapt resource value: 13
public const int Toolbar_subtitleTextAppearance = 13;
// aapt resource value: 28
public const int Toolbar_subtitleTextColor = 28;
// aapt resource value: 2
public const int Toolbar_title = 2;
// aapt resource value: 14
public const int Toolbar_titleMargin = 14;
// aapt resource value: 18
public const int Toolbar_titleMarginBottom = 18;
// aapt resource value: 16
public const int Toolbar_titleMarginEnd = 16;
// aapt resource value: 15
public const int Toolbar_titleMarginStart = 15;
// aapt resource value: 17
public const int Toolbar_titleMarginTop = 17;
// aapt resource value: 19
public const int Toolbar_titleMargins = 19;
// aapt resource value: 12
public const int Toolbar_titleTextAppearance = 12;
// aapt resource value: 27
public const int Toolbar_titleTextColor = 27;
public static int[] View = new int[] {
16842752,
16842970,
2130772258,
2130772259,
2130772260};
// aapt resource value: 1
public const int View_android_focusable = 1;
// aapt resource value: 0
public const int View_android_theme = 0;
// aapt resource value: 3
public const int View_paddingEnd = 3;
// aapt resource value: 2
public const int View_paddingStart = 2;
// aapt resource value: 4
public const int View_theme = 4;
public static int[] ViewBackgroundHelper = new int[] {
16842964,
2130772261,
2130772262};
// aapt resource value: 0
public const int ViewBackgroundHelper_android_background = 0;
// aapt resource value: 1
public const int ViewBackgroundHelper_backgroundTint = 1;
// aapt resource value: 2
public const int ViewBackgroundHelper_backgroundTintMode = 2;
public static int[] ViewStubCompat = new int[] {
16842960,
16842994,
16842995};
// aapt resource value: 0
public const int ViewStubCompat_android_id = 0;
// aapt resource value: 2
public const int ViewStubCompat_android_inflatedId = 2;
// aapt resource value: 1
public const int ViewStubCompat_android_layout = 1;
static Styleable()
{
global::Android.Runtime.ResourceIdManager.UpdateIdValues();
}
private Styleable()
{
}
}
}
}
#pragma warning restore 1591
| 62.681826 | 230 | 0.810945 | [
"MIT"
] | palladiumkenya/afyamobile | LiveHTS.Droid/Resources/Resource.Designer.cs | 701,535 | C# |
// ------------------------------------------------------------------------------
// <auto-generated>
// Generated by Xsd2Code. Version 3.4.0.18239 Microsoft Reciprocal License (Ms-RL)
// <NameSpace>Mim.V6301</NameSpace><Collection>Array</Collection><codeType>CSharp</codeType><EnableDataBinding>False</EnableDataBinding><EnableLazyLoading>False</EnableLazyLoading><TrackingChangesEnable>False</TrackingChangesEnable><GenTrackingClasses>False</GenTrackingClasses><HidePrivateFieldInIDE>False</HidePrivateFieldInIDE><EnableSummaryComment>True</EnableSummaryComment><VirtualProp>False</VirtualProp><IncludeSerializeMethod>True</IncludeSerializeMethod><UseBaseClass>False</UseBaseClass><GenBaseClass>False</GenBaseClass><GenerateCloneMethod>True</GenerateCloneMethod><GenerateDataContracts>False</GenerateDataContracts><CodeBaseTag>Net35</CodeBaseTag><SerializeMethodName>Serialize</SerializeMethodName><DeserializeMethodName>Deserialize</DeserializeMethodName><SaveToFileMethodName>SaveToFile</SaveToFileMethodName><LoadFromFileMethodName>LoadFromFile</LoadFromFileMethodName><GenerateXMLAttributes>True</GenerateXMLAttributes><OrderXMLAttrib>False</OrderXMLAttrib><EnableEncoding>False</EnableEncoding><AutomaticProperties>False</AutomaticProperties><GenerateShouldSerialize>False</GenerateShouldSerialize><DisableDebug>False</DisableDebug><PropNameSpecified>Default</PropNameSpecified><Encoder>UTF8</Encoder><CustomUsings></CustomUsings><ExcludeIncludedTypes>True</ExcludeIncludedTypes><EnableInitializeFields>False</EnableInitializeFields>
// </auto-generated>
// ------------------------------------------------------------------------------
namespace Mim.V6301 {
using System;
using System.Diagnostics;
using System.Xml.Serialization;
using System.Collections;
using System.Xml.Schema;
using System.ComponentModel;
using System.IO;
using System.Text;
[System.CodeDom.Compiler.GeneratedCodeAttribute("Xsd2Code", "3.4.0.18239")]
[System.SerializableAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(TypeName="UKCT_MT140901UK05.PertinentInformation11", Namespace="urn:hl7-org:v3")]
[System.Xml.Serialization.XmlRootAttribute("UKCT_MT140901UK05.PertinentInformation11", Namespace="urn:hl7-org:v3")]
public partial class UKCT_MT140901UK05PertinentInformation11 {
private BL seperatableIndField;
private UKCT_MT140901UK05CareEventCommentary pertinentCareEventCommentaryField;
private string typeField;
private string typeCodeField;
private bool contextConductionIndField;
private string[] typeIDField;
private string[] realmCodeField;
private string nullFlavorField;
private static System.Xml.Serialization.XmlSerializer serializer;
public UKCT_MT140901UK05PertinentInformation11() {
this.typeField = "ActRelationship";
this.typeCodeField = "PERT";
this.contextConductionIndField = true;
}
public BL seperatableInd {
get {
return this.seperatableIndField;
}
set {
this.seperatableIndField = value;
}
}
public UKCT_MT140901UK05CareEventCommentary pertinentCareEventCommentary {
get {
return this.pertinentCareEventCommentaryField;
}
set {
this.pertinentCareEventCommentaryField = value;
}
}
[System.Xml.Serialization.XmlAttributeAttribute(DataType="token")]
public string type {
get {
return this.typeField;
}
set {
this.typeField = value;
}
}
[System.Xml.Serialization.XmlAttributeAttribute()]
public string typeCode {
get {
return this.typeCodeField;
}
set {
this.typeCodeField = value;
}
}
[System.Xml.Serialization.XmlAttributeAttribute()]
public bool contextConductionInd {
get {
return this.contextConductionIndField;
}
set {
this.contextConductionIndField = value;
}
}
[System.Xml.Serialization.XmlAttributeAttribute()]
public string[] typeID {
get {
return this.typeIDField;
}
set {
this.typeIDField = value;
}
}
[System.Xml.Serialization.XmlAttributeAttribute(DataType="token")]
public string[] realmCode {
get {
return this.realmCodeField;
}
set {
this.realmCodeField = value;
}
}
[System.Xml.Serialization.XmlAttributeAttribute(DataType="token")]
public string nullFlavor {
get {
return this.nullFlavorField;
}
set {
this.nullFlavorField = value;
}
}
private static System.Xml.Serialization.XmlSerializer Serializer {
get {
if ((serializer == null)) {
serializer = new System.Xml.Serialization.XmlSerializer(typeof(UKCT_MT140901UK05PertinentInformation11));
}
return serializer;
}
}
#region Serialize/Deserialize
/// <summary>
/// Serializes current UKCT_MT140901UK05PertinentInformation11 object into an XML document
/// </summary>
/// <returns>string XML value</returns>
public virtual string Serialize() {
System.IO.StreamReader streamReader = null;
System.IO.MemoryStream memoryStream = null;
try {
memoryStream = new System.IO.MemoryStream();
Serializer.Serialize(memoryStream, this);
memoryStream.Seek(0, System.IO.SeekOrigin.Begin);
streamReader = new System.IO.StreamReader(memoryStream);
return streamReader.ReadToEnd();
}
finally {
if ((streamReader != null)) {
streamReader.Dispose();
}
if ((memoryStream != null)) {
memoryStream.Dispose();
}
}
}
/// <summary>
/// Deserializes workflow markup into an UKCT_MT140901UK05PertinentInformation11 object
/// </summary>
/// <param name="xml">string workflow markup to deserialize</param>
/// <param name="obj">Output UKCT_MT140901UK05PertinentInformation11 object</param>
/// <param name="exception">output Exception value if deserialize failed</param>
/// <returns>true if this XmlSerializer can deserialize the object; otherwise, false</returns>
public static bool Deserialize(string xml, out UKCT_MT140901UK05PertinentInformation11 obj, out System.Exception exception) {
exception = null;
obj = default(UKCT_MT140901UK05PertinentInformation11);
try {
obj = Deserialize(xml);
return true;
}
catch (System.Exception ex) {
exception = ex;
return false;
}
}
public static bool Deserialize(string xml, out UKCT_MT140901UK05PertinentInformation11 obj) {
System.Exception exception = null;
return Deserialize(xml, out obj, out exception);
}
public static UKCT_MT140901UK05PertinentInformation11 Deserialize(string xml) {
System.IO.StringReader stringReader = null;
try {
stringReader = new System.IO.StringReader(xml);
return ((UKCT_MT140901UK05PertinentInformation11)(Serializer.Deserialize(System.Xml.XmlReader.Create(stringReader))));
}
finally {
if ((stringReader != null)) {
stringReader.Dispose();
}
}
}
/// <summary>
/// Serializes current UKCT_MT140901UK05PertinentInformation11 object into file
/// </summary>
/// <param name="fileName">full path of outupt xml file</param>
/// <param name="exception">output Exception value if failed</param>
/// <returns>true if can serialize and save into file; otherwise, false</returns>
public virtual bool SaveToFile(string fileName, out System.Exception exception) {
exception = null;
try {
SaveToFile(fileName);
return true;
}
catch (System.Exception e) {
exception = e;
return false;
}
}
public virtual void SaveToFile(string fileName) {
System.IO.StreamWriter streamWriter = null;
try {
string xmlString = Serialize();
System.IO.FileInfo xmlFile = new System.IO.FileInfo(fileName);
streamWriter = xmlFile.CreateText();
streamWriter.WriteLine(xmlString);
streamWriter.Close();
}
finally {
if ((streamWriter != null)) {
streamWriter.Dispose();
}
}
}
/// <summary>
/// Deserializes xml markup from file into an UKCT_MT140901UK05PertinentInformation11 object
/// </summary>
/// <param name="fileName">string xml file to load and deserialize</param>
/// <param name="obj">Output UKCT_MT140901UK05PertinentInformation11 object</param>
/// <param name="exception">output Exception value if deserialize failed</param>
/// <returns>true if this XmlSerializer can deserialize the object; otherwise, false</returns>
public static bool LoadFromFile(string fileName, out UKCT_MT140901UK05PertinentInformation11 obj, out System.Exception exception) {
exception = null;
obj = default(UKCT_MT140901UK05PertinentInformation11);
try {
obj = LoadFromFile(fileName);
return true;
}
catch (System.Exception ex) {
exception = ex;
return false;
}
}
public static bool LoadFromFile(string fileName, out UKCT_MT140901UK05PertinentInformation11 obj) {
System.Exception exception = null;
return LoadFromFile(fileName, out obj, out exception);
}
public static UKCT_MT140901UK05PertinentInformation11 LoadFromFile(string fileName) {
System.IO.FileStream file = null;
System.IO.StreamReader sr = null;
try {
file = new System.IO.FileStream(fileName, FileMode.Open, FileAccess.Read);
sr = new System.IO.StreamReader(file);
string xmlString = sr.ReadToEnd();
sr.Close();
file.Close();
return Deserialize(xmlString);
}
finally {
if ((file != null)) {
file.Dispose();
}
if ((sr != null)) {
sr.Dispose();
}
}
}
#endregion
#region Clone method
/// <summary>
/// Create a clone of this UKCT_MT140901UK05PertinentInformation11 object
/// </summary>
public virtual UKCT_MT140901UK05PertinentInformation11 Clone() {
return ((UKCT_MT140901UK05PertinentInformation11)(this.MemberwiseClone()));
}
#endregion
}
}
| 41.582759 | 1,358 | 0.583133 | [
"MIT"
] | Kusnaditjung/MimDms | src/Mim.V6301/Generated/UKCT_MT140901UK05PertinentInformation11.cs | 12,059 | C# |
using System;
namespace Timestamp
{
/// <summary>
/// Time stamp factory.
/// </summary>
/// <remarks>Generate timestamps as number of seconds elapsed since January 1st, 1970 at UTC.</remarks>
public class UnixTimestampFactory : UnixTimestampFactory<int>
{
/// <inheritdoc/>
protected override int FromTicks(long ticks) => Convert.ToInt32(ticks / TimeSpan.TicksPerSecond);
/// <inheritdoc/>
protected override long Ticks(int timestamp) => timestamp * TimeSpan.TicksPerSecond;
}
}
| 30.166667 | 107 | 0.664825 | [
"MIT"
] | nazabk/Timestamp | Timestamp/TimestampFactories/UnixTimestampFactory.cs | 545 | C# |
using System.Windows;
using System.Windows.Media;
namespace BpToolsWPFClientTest
{
/// <summary>
/// Interaction logic for UserControl1.xaml
/// </summary>
public partial class StageResume : Stage
{
public StageResume(BpToolsLib.StageResume stageResume) : base(stageResume)
{
InitializeComponent();
}
}
}
| 21.588235 | 82 | 0.643052 | [
"MIT"
] | stothp/BpTools | StageResume.xaml.cs | 369 | 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("Packages")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[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("11b3bfd4-a028-473e-94fd-c55242a1392f")]
| 41.95 | 85 | 0.761621 | [
"Apache-2.0"
] | owin/museum-piece-gate | src/Deploy/Properties/AssemblyInfo.cs | 839 | C# |
using AutoMapper;
using Dotnet5.GraphQL3.Store.Domain.Entities.Reviews;
using Dotnet5.GraphQL3.Store.Services.Models;
using Dotnet5.GraphQL3.Store.Services.Profiles.Converters;
namespace Dotnet5.GraphQL3.Store.Services.Profiles
{
public class ReviewProfile : Profile
{
public ReviewProfile()
{
CreateMap<ReviewModel, Review>()
.ConvertUsing<ReviewModelToDomainConverter>();
}
}
} | 27.75 | 62 | 0.702703 | [
"MIT"
] | DBollella/Dotnet5.GraphQL3.WebApplication | src/Dotnet5.GraphQL3.Store.Services/Profiles/ReviewProfile.cs | 444 | C# |
using System;
// ・ジェネリックの共変性と反変性
// https://docs.microsoft.com/ja-jp/dotnet/csharp/language-reference/keywords/in-generic-modifier
// https://docs.microsoft.com/ja-jp/dotnet/csharp/language-reference/keywords/out-generic-modifier
// https://docs.microsoft.com/ja-jp/dotnet/csharp/programming-guide/concepts/covariance-contravariance/variance-in-generic-interfaces
// 共変性により、ジェネリック型の変数に型パラメータがサブクラスにであるオブジェクトを代入できる。 反変性によりジェネリック型の変数に型パラメータがスーパークラスにであるオブジェクトを代入できる。
namespace CS4.VarianceInGenericInterfaces
{
class Program
{
static void Main(string[] args)
{
// 反変 実体のメソッド Set(object) に、Set(string) で string をパラメーターとしても問題ない
IA<string> a = new A<object>();
a.Set("text");
// 共変 実体の戻り値 string を、object 変数に代入しても問題ない
IB<object> b = new B<string>();
object o = b.Get();
Console.ReadKey();
}
}
interface IA<in T>
{
void Set(T t);
}
class A<T> : IA<T>
{
public void Set(T t) {; }
}
interface IB<out T>
{
T Get();
}
class B<T> : IB<T>
{
private T _t;
public void Set(T t) { _t = t; }
public T Get() { return _t; }
}
}
| 25.6875 | 133 | 0.600162 | [
"MIT"
] | m-ishizaki/CS22XSamples | CS4/CS4.04.VarianceInGenericInterfaces/Program.cs | 1,553 | C# |
using System.ComponentModel.DataAnnotations;
namespace JD.Invoicing.Users.Dto
{
public class ResetPasswordDto
{
[Required]
public string AdminPassword { get; set; }
[Required]
public long UserId { get; set; }
[Required]
public string NewPassword { get; set; }
}
}
| 19.294118 | 49 | 0.612805 | [
"MIT"
] | IT-Evan/JD.Invoicing | src/JD.Invoicing.Application/Users/Dto/ResetPasswordDto.cs | 330 | C# |
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.IO;
namespace CustomProtocol
{
class Program
{
private static readonly log4net.ILog log = log4net.LogManager.GetLogger(typeof(Program));
static void tf_uriReceived(Uri fullURI)
{
string uriParams = fullURI.LocalPath.ToString();
// execute merge command and close "/C" (/K Carries out the command specified by string but remains)
Process.Start("cmd.exe", $"/K echo Merging Changes... & git {uriParams}");
}
static void error(string message) {
log.Fatal(message);
Console.WriteLine(message);
}
static void Main(string[] args)
{
var gitCommand = "git-command";
// custom uri handlers
CustomProtocol tfCommand = new CustomProtocol(gitCommand, tf_uriReceived);
if (args.Length > 0)
{ // a URI was passed and needs to be handled
log.Info("App trigger from uri");
try
{
Console.WriteLine("Running URI");
Uri command = new Uri(args[0].Trim());
if (command.Scheme == gitCommand)
{
tfCommand.uriHandler(command);
}
}
catch (UriFormatException e)
{
log.Fatal($"Invalid uri {e}");
Console.WriteLine("Invalid URI.");
Console.WriteLine("Press any key to continue...");
Console.ReadKey();
}
}
else
{
log.Info("Custom protocol started from the user");
Console.WriteLine("Installing custom URI's");
try
{
if (tfCommand.isAttached())
{
Console.WriteLine($"{gitCommand} command already found, uninstalling first.");
tfCommand.detact();
}
tfCommand.attach();
Console.WriteLine($"Successfully installed {gitCommand} uri.");
}
catch (Exception e) {
error($"Failed to install {gitCommand} protocol. Error:{e.Message}");
}
Console.WriteLine("Install Done. Press any key to exit.");
Console.ReadKey();
}
}
}
} | 33.217949 | 112 | 0.478194 | [
"MIT"
] | SamKirkland/GIT-URI-Commands | CustomProtocol/Program.cs | 2,593 | 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: ComplexType.cs.tt
namespace Microsoft.Graph
{
using System;
using System.Collections.Generic;
using System.IO;
using System.Text.Json.Serialization;
/// <summary>
/// The type FilterGroup.
/// </summary>
[JsonConverter(typeof(DerivedTypeConverter<FilterGroup>))]
public partial class FilterGroup
{
/// <summary>
/// Gets or sets clauses.
/// Filter clauses (conditions) of this group. All clauses in a group must be satisfied in order for the filter group to evaluate to true.
/// </summary>
[JsonPropertyName("clauses")]
public IEnumerable<FilterClause> Clauses { get; set; }
/// <summary>
/// Gets or sets name.
/// Human-readable name of the filter group.
/// </summary>
[JsonPropertyName("name")]
public string Name { get; set; }
/// <summary>
/// Gets or sets additional data.
/// </summary>
[JsonExtensionData]
public IDictionary<string, object> AdditionalData { get; set; }
/// <summary>
/// Gets or sets @odata.type.
/// </summary>
[JsonPropertyName("@odata.type")]
public string ODataType { get; set; }
}
}
| 32.673077 | 153 | 0.551501 | [
"MIT"
] | ScriptBox99/msgraph-beta-sdk-dotnet | src/Microsoft.Graph/Generated/model/FilterGroup.cs | 1,699 | C# |
using System;
using System.Collections.Generic;
using System.Text;
namespace FlatRedBall.Utilities
{
#region XML Docs
/// <summary>
/// A class containing common string maniuplation methods.
/// </summary>
#endregion
public static class StringFunctions
{
#region Fields
static char[] sValidNumericalChars = { '-', '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '.', ',' };
#endregion
public static bool IsAscii(string stringToCheck)
{
bool isAscii = true;
for (int i = 0; i < stringToCheck.Length; i++)
{
if (stringToCheck[i] > 255)
{
isAscii = false;
break;
}
}
return isAscii;
}
public static int CountOf(this string instanceToSearchIn, char characterToSearchFor)
{
return instanceToSearchIn.CountOf(characterToSearchFor, 0, instanceToSearchIn.Length);
}
public static int CountOf(this string instanceToSearchIn, char characterToSearchFor, int startIndex, int searchLength)
{
int count = 0;
for (int i = startIndex; i < searchLength; i++)
{
char characterAtIndex = instanceToSearchIn[i];
if (characterAtIndex == characterToSearchFor)
{
count++;
}
}
return count;
}
/// <summary>
/// Returns the number of times that the argument whatToFind is found in the calling string.
/// </summary>
/// <param name="instanceToSearchIn">The string to search within.</param>
/// <param name="whatToFind">The string to search for.</param>
/// <returns>The number of instances found</returns>
public static int CountOf(this string instanceToSearchIn, string whatToFind)
{
int count = 0;
int index = 0;
while (true)
{
int foundIndex = instanceToSearchIn.IndexOf(whatToFind, index);
if (foundIndex != -1)
{
count++;
index = foundIndex + 1;
}
else
{
break;
}
}
return count;
}
public static bool Contains(this string[] listToInvestigate, string whatToSearchFor)
{
for (int i = 0; i < listToInvestigate.Length; i++)
{
if (listToInvestigate[i] == whatToSearchFor)
{
return true;
}
}
return false;
}
#region XML Docs
/// <summary>
/// Returns the number of non-whitespace characters in the argument stringInQuestion.
/// </summary>
/// <remarks>
/// This method is used internally by the TextManager to determine the number of vertices needed to
/// draw a Text object.
/// </remarks>
/// <param name="stringInQuestion">The string to have its non-witespace counted.</param>
/// <returns>The number of non-whitespace characters counted.</returns>
#endregion
public static int CharacterCountWithoutWhitespace(string stringInQuestion)
{
int characterCount = 0;
for (int i = 0; i < stringInQuestion.Length; i++)
{
if (stringInQuestion[i] != ' ' && stringInQuestion[i] != '\t' && stringInQuestion[i] != '\n')
characterCount++;
}
return characterCount;
}
#region XML Docs
/// <summary>
/// Returns a string of the float with the argument decimalsAfterPoint digits of resolution after the point.
/// </summary>
/// <param name="floatToConvert">The float to convert.</param>
/// <param name="decimalsAfterPoint">The number of decimals after the point. For example, 3.14159 becomes "3.14" if the
/// decimalsAfterPoint is 2. This method will not append extra decimals to reach the argument decimalsAfterPoint.</param>
/// <returns>The string representation of the argument float.</returns>
#endregion
public static string FloatToString(float floatToConvert, int decimalsAfterPoint)
{
if (decimalsAfterPoint == 0)
return ((int)floatToConvert).ToString();
else
{
int lengthAsInt = ((int)floatToConvert).ToString().Length;
return floatToConvert.ToString().Substring(
0, System.Math.Min(floatToConvert.ToString().Length, lengthAsInt + 1 + decimalsAfterPoint));
}
}
#region XML Docs
/// <summary>
/// Returns the character that can be found after a particular sequence of characters.
/// </summary>
/// <remarks>
/// This will return the first character following a particular sequence of characters. For example,
/// GetCharAfter("bcd", "abcdef") would return 'e'.
/// </remarks>
/// <param name="stringToSearchFor">The string to search for.</param>
/// <param name="whereToSearch">The string to search in.</param>
/// <returns>Returns the character found or the null character '\0' if the string is not found.</returns>
#endregion
public static char GetCharAfter(string stringToSearchFor, string whereToSearch)
{
int indexOf = whereToSearch.IndexOf(stringToSearchFor);
if (indexOf != -1)
{
return whereToSearch[indexOf + stringToSearchFor.Length];
}
return '\0';
}
public static int GetClosingCharacter(string fullString, int startIndex, char openingCharacter, char closingCharacter)
{
int numberofParens = 1;
for (int i = startIndex; i < fullString.Length; i++)
{
if (fullString[i] == openingCharacter)
{
numberofParens++;
}
if (fullString[i] == closingCharacter)
{
numberofParens--;
}
if (numberofParens == 0)
{
return i;
}
}
return -1;
}
public static int GetDigitCount(double x)
{
// Written by Kao Martin 12/6/2008
int count = 1;
double diff = x - System.Math.Floor(x);
while ((x /= 10.0d) > 1.0d)
{
count++;
}
if (diff > 0)
{
count++;
while ((diff *= 10.0d) > 1.0d)
{
count++;
diff -= System.Math.Floor(diff);
}
}
return count;
}
#region XML Docs
/// <summary>
/// Returns the float that can be found after a particular sequence of characters.
/// </summary>
/// <remarks>
/// This will return the float following a particular sequence of characters. For example,
/// GetCharAfter("height = 6; width = 3; depth = 7;", "width = ") would return 3.0f.
/// </remarks>
/// <param name="stringToSearchFor">The string to search for.</param>
/// <param name="whereToSearch">The string to search in.</param>
/// <returns>Returns the float value found or float.NaN if the string is not found.</returns>
#endregion
public static float GetFloatAfter(string stringToSearchFor, string whereToSearch)
{
return GetFloatAfter(stringToSearchFor, whereToSearch, 0);
}
public static float GetFloatAfter(string stringToSearchFor, string whereToSearch, int startIndex)
{
int startOfNumber = -1;
int endOfNumber = -1;
int enterAt = -1;
string substring = "uninitialized";
try
{
int indexOf = whereToSearch.IndexOf(stringToSearchFor, startIndex);
if (indexOf != -1)
{
startOfNumber = indexOf + stringToSearchFor.Length;
endOfNumber = whereToSearch.IndexOf(' ', startOfNumber);
enterAt = whereToSearch.IndexOf('\n', startOfNumber);
if (whereToSearch.IndexOf('\r', startOfNumber) < enterAt)
enterAt = whereToSearch.IndexOf('\r', startOfNumber);
for (int i = startOfNumber; i < endOfNumber; i++)
{
bool found = false;
for (int indexInArray = 0; indexInArray < sValidNumericalChars.Length; indexInArray++)
{
if (whereToSearch[i] == sValidNumericalChars[indexInArray])
{
found = true;
break;
}
}
if (!found)
{
// if we got here, then the character is not valid, so end the string
endOfNumber = i;
break;
}
}
if (endOfNumber == -1 || (enterAt != -1 && enterAt < endOfNumber))
endOfNumber = enterAt;
if (endOfNumber == -1)
endOfNumber = whereToSearch.Length;
substring = whereToSearch.Substring(startOfNumber,
endOfNumber - startOfNumber);
// this method is called when reading from a file.
// usually, files use the . rather than other numerical formats, so if this fails, just use the regular . format
float toReturn = float.Parse(substring);
// Let's see if this is using exponential notation, like 5.21029e-007
if (endOfNumber < whereToSearch.Length - 1)
{
// Is there an "e" there?
if (whereToSearch[endOfNumber] == 'e')
{
int exponent = GetIntAfter("e", whereToSearch, endOfNumber);
float multiplyValue = (float)System.Math.Pow(10, exponent);
toReturn *= multiplyValue;
}
}
return toReturn;
}
}
catch (System.FormatException)
{
return float.Parse(substring, System.Globalization.NumberFormatInfo.InvariantInfo);
}
return float.NaN;
}
#region XML Docs
/// <summary>
/// Returns the first integer found after the argument stringToSearchFor in whereToSearch.
/// </summary>
/// <remarks>
/// This method is used to help simplify parsing of text files and data strings.
/// If stringToSearchFor is "Y:" and whereToSearch is "X: 30, Y:32", then the value
/// of 32 will be returned.
/// </remarks>
/// <param name="stringToSearchFor">The string pattern to search for.</param>
/// <param name="whereToSearch">The string that will be searched.</param>
/// <returns>The integer value found after the argument stringToSearchFor.</returns>
#endregion
public static int GetIntAfter(string stringToSearchFor, string whereToSearch)
{
return GetIntAfter(stringToSearchFor, whereToSearch, 0);
}
#region XML Docs
/// <summary>
/// Returns the first integer found after the argument stringToSearchFor. The search begins
/// at the argument startIndex.
/// </summary>
/// <param name="stringToSearchFor">The string pattern to search for.</param>
/// <param name="whereToSearch">The string that will be searched.</param>
/// <param name="startIndex">The index to begin searching at. This method
/// will ignore any instances of stringToSearchFor which begin at an index smaller
/// than the argument startIndex.</param>
/// <returns></returns>
#endregion
public static int GetIntAfter(string stringToSearchFor, string whereToSearch, int startIndex)
{
int startOfNumber = -1;
int endOfNumber = -1;
int enterAt = -1;
int carriageReturn = -1;
string substring = "uninitialized";
try
{
int indexOf = whereToSearch.IndexOf(stringToSearchFor, startIndex);
if (indexOf != -1)
{
startOfNumber = indexOf + stringToSearchFor.Length;
endOfNumber = whereToSearch.IndexOf(' ', startOfNumber);
enterAt = whereToSearch.IndexOf('\n', startOfNumber);
carriageReturn = whereToSearch.IndexOf('\r', startOfNumber);
if ( carriageReturn != -1 && carriageReturn < enterAt)
enterAt = whereToSearch.IndexOf('\r', startOfNumber);
if (endOfNumber == -1)
endOfNumber = whereToSearch.Length;
for (int i = startOfNumber; i < endOfNumber; i++)
{
bool found = false;
for (int indexInArray = 0; indexInArray < sValidNumericalChars.Length; indexInArray++)
{
if (whereToSearch[i] == sValidNumericalChars[indexInArray])
{
found = true;
break;
}
}
if (!found)
{
// if we got here, then the character is not valid, so end the string
endOfNumber = i;
break;
}
}
if (endOfNumber == -1 || (enterAt != -1 && enterAt < endOfNumber))
endOfNumber = enterAt;
if (endOfNumber == -1)
endOfNumber = whereToSearch.Length;
substring = whereToSearch.Substring(startOfNumber,
endOfNumber - startOfNumber);
// this method is called when reading from a file.
// usually, files use the . rather than other numerical formats, so if this fails, just use the regular . format
int toReturn = int.Parse(substring);
return toReturn;
}
}
catch (System.FormatException)
{
return int.Parse(substring, System.Globalization.NumberFormatInfo.InvariantInfo);
}
return 0;
}
static char[] WhitespaceChars = new char[] { ' ', '\n', '\t', '\r' };
public static string GetWordAfter(string stringToStartAfter, string entireString)
{
return GetWordAfter(stringToStartAfter, entireString, 0);
}
public static string GetWordAfter(string stringToStartAfter, string entireString, int indexToStartAt)
{
return GetWordAfter(stringToStartAfter, entireString, indexToStartAt, StringComparison.Ordinal);
}
public static string GetWordAfter(string stringToStartAfter, string entireString, int indexToStartAt, StringComparison comparison)
{
int indexOf = entireString.IndexOf(stringToStartAfter, indexToStartAt, StringComparison.OrdinalIgnoreCase);
if (indexOf != -1)
{
int startOfWord = indexOf + stringToStartAfter.Length;
// Let's not count the start of the word if it's a newline
while ( entireString[startOfWord] == WhitespaceChars[0] ||
entireString[startOfWord] == WhitespaceChars[1] ||
entireString[startOfWord] == WhitespaceChars[2] ||
entireString[startOfWord] == WhitespaceChars[3])
{
startOfWord++;
}
int endOfWord = entireString.IndexOfAny(WhitespaceChars, startOfWord);
if (endOfWord == -1)
{
endOfWord = entireString.Length;
}
return entireString.Substring(startOfWord, endOfWord - startOfWord);
}
else
{
return null;
}
}
public static string GetWordAfter(string stringToStartAfter, StringBuilder entireString)
{
return GetWordAfter(stringToStartAfter, entireString, 0);
}
public static string GetWordAfter(string stringToStartAfter, StringBuilder entireString, int indexToStartAt)
{
return GetWordAfter(stringToStartAfter, entireString, indexToStartAt, StringComparison.Ordinal);
}
public static string GetWordAfter(string stringToStartAfter, StringBuilder entireString, int indexToStartAt, StringComparison comparison)
{
int indexOf = entireString.IndexOf(stringToStartAfter, indexToStartAt, true);
if (indexOf != -1)
{
int startOfWord = indexOf + stringToStartAfter.Length;
// Let's not count the start of the word if it's a newline
while (entireString[startOfWord] == WhitespaceChars[0] ||
entireString[startOfWord] == WhitespaceChars[1] ||
entireString[startOfWord] == WhitespaceChars[2] ||
entireString[startOfWord] == WhitespaceChars[3])
{
startOfWord++;
}
int endOfWord = entireString.IndexOfAny(WhitespaceChars, startOfWord);
if (endOfWord == -1)
{
endOfWord = entireString.Length;
}
return entireString.Substring(startOfWord, endOfWord - startOfWord);
}
else
{
return null;
}
}
#region XML Docs
/// <summary>
/// Returns the number of lines in a given string. Newlines '\n' increase the
/// line count.
/// </summary>
/// <param name="stringInQuestion">The string that will have its lines counted.</param>
/// <returns>The number of lines in the argument. "Hello" will return a value of 1, "Hello\nthere" will return a value of 2.</returns>
#endregion
public static int GetLineCount(string stringInQuestion)
{
if (string.IsNullOrEmpty(stringInQuestion))
{
return 0;
}
int lines = 1;
foreach (char character in stringInQuestion)
{
if (character == '\n')
{
lines++;
}
}
return lines;
}
#region XML Docs
/// <summary>
/// Returns the number found at the end of the argument stringToGetNumberFrom or throws an
/// ArgumentException if no number is found.
/// </summary>
/// <remarks>
/// A stringToGetNumberFrom of "sprite41" will result in the value of 41 returned. A
/// stringToGetNumberFrom of "sprite" will result in an ArgumentException being thrown.
/// </remarks>
/// <exception cref="System.ArgumentException">Throws ArgumentException if no number is found at the end of the argument string.</exception>
/// <param name="stringToGetNumberFrom">The number found at the end.</param>
/// <returns>The integer value found at the end of the stringToGetNumberFrom.</returns>
#endregion
public static int GetNumberAtEnd(string stringToGetNumberFrom)
{
int letterChecking = stringToGetNumberFrom.Length;
do
{
letterChecking--;
} while (letterChecking > -1 && Char.IsDigit(stringToGetNumberFrom[letterChecking]));
if (letterChecking == stringToGetNumberFrom.Length - 1 && !Char.IsDigit(stringToGetNumberFrom[letterChecking]))
{
throw new ArgumentException("The argument string has no number at the end.");
}
return System.Convert.ToInt32(
stringToGetNumberFrom.Substring(letterChecking + 1, stringToGetNumberFrom.Length - letterChecking - 1));
}
public static void GetStartAndEndOfLineContaining(string contents, string whatToSearchFor, out int start, out int end)
{
int indexOfWhatToSearchFor = contents.IndexOf(whatToSearchFor);
start = -1;
end = -1;
if (indexOfWhatToSearchFor != -1)
{
start = contents.LastIndexOfAny(new char[] { '\n', '\r' }, indexOfWhatToSearchFor) + 1;
end = contents.IndexOfAny(new char[] { '\n', '\r' }, indexOfWhatToSearchFor);
}
}
public static bool HasNumberAtEnd(string stringToGetNumberFrom)
{
int letterChecking = stringToGetNumberFrom.Length;
do
{
letterChecking--;
} while (letterChecking > -1 && Char.IsDigit(stringToGetNumberFrom[letterChecking]));
if (letterChecking == stringToGetNumberFrom.Length - 1 && !Char.IsDigit(stringToGetNumberFrom[letterChecking]))
{
return false;
}
return true;
}
#region XML Docs
/// <summary>
/// Increments the number at the end of a string or adds a number if none exists.
/// </summary>
/// <remarks>
/// This method begins looking at the end of a string for numbers and moves towards the beginning of the string
/// until it encounters a character which is not a numerical digit or the beginning of the string. "Sprite123" would return
/// "Sprite124", and "MyString" would return "MyString1".
/// </remarks>
/// <param name="originalString">The string to "increment".</param>
/// <returns>Returns a string with the number at the end incremented, or with a number added on the end if none existed before.</returns>
#endregion
public static string IncrementNumberAtEnd(string originalString)
{
if(string.IsNullOrEmpty(originalString))
{
return "1";
}
// first we get the number at the end of the string
// start at the end of the string and move backwards until reacing a non-Digit.
int letterChecking = originalString.Length;
do
{
letterChecking--;
} while (letterChecking > -1 && Char.IsDigit(originalString[letterChecking]));
if (letterChecking == originalString.Length - 1 && !Char.IsDigit(originalString[letterChecking]))
{
// we don't have a number there, so let's add one
originalString = originalString + ((int)1).ToString();
return originalString;
}
string numAtEnd = originalString.Substring(letterChecking + 1, originalString.Length - letterChecking - 1);
string baseString = originalString.Remove(letterChecking + 1, originalString.Length - letterChecking - 1);
int numAtEndAsInt = System.Convert.ToInt32(numAtEnd);
numAtEndAsInt++;
return baseString + numAtEndAsInt.ToString();
}
#region XML Docs
/// <summary>
/// Inserts spaces before every capital letter in a camel-case
/// string. Ignores the first letter.
/// </summary>
/// <remarks>
/// For example "HelloThereIAmCamelCase" becomes
/// "Hello There I Am Camel Case".
/// </remarks>
/// <param name="originalString">The string in which to insert spaces.</param>
/// <returns>The string with spaces inserted.</returns>
#endregion
public static string InsertSpacesInCamelCaseString(string originalString)
{
// Normally in reverse loops you go til i > -1, but
// we don't want the character at index 0 to be tested.
for (int i = originalString.Length - 1; i > 0; i--)
{
if (char.IsUpper(originalString[i]) && i != 0)
{
originalString = originalString.Insert(i, " ");
}
}
return originalString;
}
public static bool IsNumber(string stringToCheck)
{
double throwaway;
return double.TryParse(stringToCheck, out throwaway);
}
public static string MakeCamelCase(string originalString)
{
if (string.IsNullOrEmpty(originalString))
{
return originalString;
}
char[] characterArray = originalString.ToCharArray();
for (int i = 0; i < originalString.Length; i++)
{
if (i == 0 &&
characterArray[i] >= 'a' && characterArray[i] <= 'z')
{
characterArray[i] -= (char)32;
}
if (characterArray[i] == ' ' &&
i < originalString.Length - 1 &&
characterArray[i + 1] >= 'a' && characterArray[i + 1] <= 'z')
{
characterArray[i + 1] -= (char)32;
}
}
return RemoveWhitespace(new string(characterArray));
}
public static string MakeStringUnique(string stringToMakeUnique, List<string> stringList)
{
return MakeStringUnique(stringToMakeUnique, stringList, 1);
}
public static string MakeStringUnique(string stringToMakeUnique, List<string> stringList, int numberToStartAt)
{
for (int i = 0; i < stringList.Count; i++)
{
if (stringToMakeUnique == stringList[i])
{
// the name matches an item in the list that isn't the same reference, so increment the number.
stringToMakeUnique = IncrementNumberAtEnd(stringToMakeUnique);
// Inefficient? Maybe if we have large numbers, but we're just using it to start at #2
// I may revisit this if this causes problems
while (GetNumberAtEnd(stringToMakeUnique) < numberToStartAt)
{
stringToMakeUnique = IncrementNumberAtEnd(stringToMakeUnique);
}
// restart the loop:
i = -1;
}
}
return stringToMakeUnique;
}
public static void RemoveDuplicates(List<string> strings)
{
bool ignoreCase = false;
RemoveDuplicates(strings, ignoreCase);
}
public static void RemoveDuplicates(List<string> strings, bool ignoreCase)
{
Dictionary<string, int> uniqueStore = new Dictionary<string, int>();
List<string> finalList = new List<string>();
foreach (string currValueUncasted in strings)
{
string currValue;
if (ignoreCase)
{
currValue = currValueUncasted.ToLowerInvariant();
}
else
{
currValue = currValueUncasted;
}
if (!uniqueStore.ContainsKey(currValue))
{
uniqueStore.Add(currValue, 0);
finalList.Add(currValueUncasted);
}
}
strings.Clear();
strings.AddRange(finalList);
}
#region XML Docs
/// <summary>
/// Removes the number found at the end of the argument originalString and returns the resulting
/// string, or returns the original string if no number is found.
/// </summary>
/// <param name="originalString">The string that will have the number at its end removed.</param>
/// <returns>The string after the number has been removed.</returns>
#endregion
public static string RemoveNumberAtEnd(string originalString)
{
// start at the end of the string and move backwards until reacing a non-Digit.
int letterChecking = originalString.Length;
do
{
letterChecking--;
} while (letterChecking > -1 && Char.IsDigit(originalString[letterChecking]));
if (letterChecking == originalString.Length - 1 && !Char.IsDigit(originalString[letterChecking]))
{
// we don't have a number there, so return the original
return originalString;
}
return originalString.Remove(letterChecking + 1, originalString.Length - letterChecking - 1);
}
#region XML Docs
/// <summary>
/// Removes all whitespace found in the argument stringToRemoveWhitespaceFrom.
/// </summary>
/// <param name="stringToRemoveWhitespaceFrom">The string that will have its whitespace removed.</param>
/// <returns>The string resulting from removing whitespace from the argument string.</returns>
#endregion
public static string RemoveWhitespace(string stringToRemoveWhitespaceFrom)
{
return stringToRemoveWhitespaceFrom.Replace(" ", "").Replace("\t", "").Replace("\n", "").Replace("\r", "");
}
public static void ReplaceLine(ref string contents, string contentsOfLineToReplace, string whatToReplaceWith)
{
int startOfLine;
int endOfLine;
GetStartAndEndOfLineContaining(contents, contentsOfLineToReplace, out startOfLine, out endOfLine);
if (startOfLine != -1)
{
contents = contents.Remove(startOfLine, endOfLine - startOfLine);
contents = contents.Insert(startOfLine, whatToReplaceWith);
}
}
}
}
| 37.789538 | 148 | 0.532853 | [
"MIT"
] | derKosi/FlatRedBall | FRBDK/NewProjectCreator/NewProjectCreatorMac/FlatRedBallEngineFiles/StringFunctions.cs | 31,063 | C# |
// Copyright (c) AlphaSierraPapa for the SharpDevelop Team
//
// 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.
#if STANDALONE
using System;
namespace ICSharpCode.NRefactory.Editor
{
/// <summary>
/// The TextAnchor class references an offset (a position between two characters).
/// It automatically updates the offset when text is inserted/removed in front of the anchor.
/// </summary>
/// <remarks>
/// <para>Use the <see cref="ITextAnchor.Offset"/> property to get the offset from a text anchor.
/// Use the <see cref="IDocument.CreateAnchor"/> method to create an anchor from an offset.
/// </para>
/// <para>
/// The document will automatically update all text anchors; and because it uses weak references to do so,
/// the garbage collector can simply collect the anchor object when you don't need it anymore.
/// </para>
/// <para>Moreover, the document is able to efficiently update a large number of anchors without having to look
/// at each anchor object individually. Updating the offsets of all anchors usually only takes time logarithmic
/// to the number of anchors. Retrieving the <see cref="ITextAnchor.Offset"/> property also runs in O(lg N).</para>
/// </remarks>
/// <example>
/// Usage:
/// <code>TextAnchor anchor = document.CreateAnchor(offset);
/// ChangeMyDocument();
/// int newOffset = anchor.Offset;
/// </code>
/// </example>
public interface ITextAnchor
{
/// <summary>
/// Gets the text location of this anchor.
/// </summary>
/// <exception cref="InvalidOperationException">Thrown when trying to get the Offset from a deleted anchor.</exception>
TextLocation Location { get; }
/// <summary>
/// Gets the offset of the text anchor.
/// </summary>
/// <exception cref="InvalidOperationException">Thrown when trying to get the Offset from a deleted anchor.</exception>
int Offset { get; }
/// <summary>
/// Controls how the anchor moves.
/// </summary>
/// <remarks>Anchor movement is ambiguous if text is inserted exactly at the anchor's location.
/// Does the anchor stay before the inserted text, or does it move after it?
/// The property <see cref="MovementType"/> will be used to determine which of these two options the anchor will choose.
/// The default value is <see cref="AnchorMovementType.Default"/>.</remarks>
AnchorMovementType MovementType { get; set; }
/// <summary>
/// <para>
/// Specifies whether the anchor survives deletion of the text containing it.
/// </para><para>
/// <c>false</c>: The anchor is deleted when the a selection that includes the anchor is deleted.
/// <c>true</c>: The anchor is not deleted.
/// </para>
/// </summary>
/// <remarks><inheritdoc cref="IsDeleted" /></remarks>
bool SurviveDeletion { get; set; }
/// <summary>
/// Gets whether the anchor was deleted.
/// </summary>
/// <remarks>
/// <para>When a piece of text containing an anchor is removed, then that anchor will be deleted.
/// First, the <see cref="IsDeleted"/> property is set to true on all deleted anchors,
/// then the <see cref="Deleted"/> events are raised.
/// You cannot retrieve the offset from an anchor that has been deleted.</para>
/// <para>This deletion behavior might be useful when using anchors for building a bookmark feature,
/// but in other cases you want to still be able to use the anchor. For those cases, set <c><see cref="SurviveDeletion"/> = true</c>.</para>
/// </remarks>
bool IsDeleted { get; }
/// <summary>
/// Occurs after the anchor was deleted.
/// </summary>
/// <remarks>
/// <inheritdoc cref="IsDeleted" />
/// <para>Due to the 'weak reference' nature of text anchors, you will receive
/// the Deleted event only while your code holds a reference to the TextAnchor object.
/// </para>
/// </remarks>
event EventHandler Deleted;
/// <summary>
/// Gets the line number of the anchor.
/// </summary>
/// <exception cref="InvalidOperationException">Thrown when trying to get the Offset from a deleted anchor.</exception>
int Line { get; }
/// <summary>
/// Gets the column number of this anchor.
/// </summary>
/// <exception cref="InvalidOperationException">Thrown when trying to get the Offset from a deleted anchor.</exception>
int Column { get; }
}
/// <summary>
/// Defines how a text anchor moves.
/// </summary>
public enum AnchorMovementType
{
/// <summary>
/// When text is inserted at the anchor position, the type of the insertion
/// determines where the caret moves to. For normal insertions, the anchor will move
/// after the inserted text.
/// </summary>
Default,
/// <summary>
/// Behaves like a start marker - when text is inserted at the anchor position, the anchor will stay
/// before the inserted text.
/// </summary>
BeforeInsertion,
/// <summary>
/// Behave like an end marker - when text is insered at the anchor position, the anchor will move
/// after the inserted text.
/// </summary>
AfterInsertion
}
}
#endif | 43.135714 | 142 | 0.700282 | [
"MIT"
] | alexandrvslv/datawf | External/Mono.Texteditor/Mono.TextEditor/Standalone/ITextAnchor.cs | 6,039 | C# |
using System;
using System.Collections;
using System.Collections.Generic;
using System.Linq;
using System.Linq.Expressions;
using System.Reflection;
using System.Text;
namespace LinqQueryIndex
{
public abstract class IndexQuery
{
public abstract IndexQueryValues QueryValues { get; }
public abstract Expression Expression { get; }
public abstract IEnumerable Enumerable { get; }
internal abstract Expression QueryValuesExpression { get; }
}
#pragma warning disable CA1710 // Identifiers should have correct suffix
public sealed class IndexQuery<T> : IndexQuery, IOrderedQueryable<T>, IQueryable<T>, IEnumerable<T>, IEnumerable, IQueryable, IOrderedQueryable, IQueryProvider
#pragma warning restore CA1710 // Identifiers should have correct suffix
{
private IEnumerable<T> _enumerable;
public IndexQuery(IReadOnlyList<T> values)
{
_enumerable = values ?? throw new ArgumentNullException(nameof(values));
QueryValuesExpression = Expression = Expression.Constant(this);
QueryValues = new IndexQueryValues<T>((IList)values);
}
private IndexQuery(IndexQueryValues queryValues, Expression queryValuesExpression, Expression expression)
{
Expression = expression ?? throw new ArgumentNullException(nameof(expression));
QueryValuesExpression = queryValuesExpression ?? throw new ArgumentNullException(nameof(queryValuesExpression));
QueryValues = queryValues ?? throw new ArgumentNullException(nameof(queryValues));
}
public override IndexQueryValues QueryValues { get; }
internal override Expression QueryValuesExpression { get; }
public override Expression Expression { get; }
IQueryProvider IQueryable.Provider => this;
Type IQueryable.ElementType => typeof(T);
public override IEnumerable Enumerable => _enumerable;
IQueryable IQueryProvider.CreateQuery(Expression expression) =>
new IndexQuery<T>(QueryValues, QueryValuesExpression, expression);
IQueryable<TElement> IQueryProvider.CreateQuery<TElement>(Expression expression) =>
new IndexQuery<TElement>(QueryValues, QueryValuesExpression, expression);
object IQueryProvider.Execute(Expression expression) => IndexExecutor.Create(expression).ExecuteBoxed();
public TResult Execute<TResult>(Expression expression) => new IndexExecutor<TResult>(this, expression).Execute();
public IEnumerator<T> GetEnumerator()
{
if (_enumerable == null)
{
_enumerable = IndexQueryCompiler.Compile<T>(QueryValues, QueryValuesExpression, Expression).Invoke();
}
return _enumerable.GetEnumerator();
}
IEnumerator IEnumerable.GetEnumerator() => GetEnumerator();
public IndexQuery<T> AddIndexer<TProperty>(Expression<Func<T, TProperty>> indexer, IEqualityComparer<TProperty> comparer = default)
{
if (indexer is null)
{
throw new ArgumentNullException(nameof(indexer));
}
QueryValues.AddIndexer(indexer, comparer);
return this;
}
}
}
| 39.743902 | 163 | 0.689475 | [
"MIT"
] | frblondin/LinqQueryIndex | LinqQueryIndex/IndexQuery.cs | 3,259 | C# |
/* ========================================================================================== */
/* */
/* FMOD Ex - C# Wrapper . Copyright (c), Firelight Technologies Pty, Ltd. 2004-2014. */
/* */
/* ========================================================================================== */
using System;
using System.Text;
using System.Runtime.InteropServices;
namespace FMOD
{
/*
FMOD version number. Check this against FMOD::System::getVersion / System_GetVersion
0xaaaabbcc -> aaaa = major version number. bb = minor version number. cc = development version number.
*/
public class VERSION
{
public const int number = 0x00010514;
#if WIN64
public const string dll = "fmod64";
#else
public const string dll = "fmod";
#endif
}
/*
FMOD types
*/
/*
[ENUM]
[
[DESCRIPTION]
error codes. Returned from every function.
[REMARKS]
[SEE_ALSO]
]
*/
public enum RESULT : int
{
OK, /* No errors. */
ERR_BADCOMMAND, /* Tried to call a function on a data type that does not allow this type of functionality (ie calling Sound::lock on a streaming sound). */
ERR_CHANNEL_ALLOC, /* Error trying to allocate a channel. */
ERR_CHANNEL_STOLEN, /* The specified channel has been reused to play another sound. */
ERR_DMA, /* DMA Failure. See debug output for more information. */
ERR_DSP_CONNECTION, /* DSP connection error. Connection possibly caused a cyclic dependency or connected dsps with incompatible buffer counts. */
ERR_DSP_DONTPROCESS, /* DSP return code from a DSP process query callback. Tells mixer not to call the process callback and therefore not consume CPU. Use this to optimize the DSP graph. */
ERR_DSP_FORMAT, /* DSP Format error. A DSP unit may have attempted to connect to this network with the wrong format, or a matrix may have been set with the wrong size if the target unit has a specified channel map. */
ERR_DSP_INUSE, /* DSP is already in the mixer's DSP network. It must be removed before being reinserted or released. */
ERR_DSP_NOTFOUND, /* DSP connection error. Couldn't find the DSP unit specified. */
ERR_DSP_RESERVED, /* DSP operation error. Cannot perform operation on this DSP as it is reserved by the system. */
ERR_DSP_SILENCE, /* DSP return code from a DSP process query callback. Tells mixer silence would be produced from read, so go idle and not consume CPU. Use this to optimize the DSP graph. */
ERR_DSP_TYPE, /* DSP operation cannot be performed on a DSP of this type. */
ERR_FILE_BAD, /* Error loading file. */
ERR_FILE_COULDNOTSEEK, /* Couldn't perform seek operation. This is a limitation of the medium (ie netstreams) or the file format. */
ERR_FILE_DISKEJECTED, /* Media was ejected while reading. */
ERR_FILE_EOF, /* End of file unexpectedly reached while trying to read essential data (truncated?). */
ERR_FILE_ENDOFDATA, /* End of current chunk reached while trying to read data. */
ERR_FILE_NOTFOUND, /* File not found. */
ERR_FORMAT, /* Unsupported file or audio format. */
ERR_HEADER_MISMATCH, /* There is a version mismatch between the FMOD header and either the FMOD Studio library or the FMOD Low Level library. */
ERR_HTTP, /* A HTTP error occurred. This is a catch-all for HTTP errors not listed elsewhere. */
ERR_HTTP_ACCESS, /* The specified resource requires authentication or is forbidden. */
ERR_HTTP_PROXY_AUTH, /* Proxy authentication is required to access the specified resource. */
ERR_HTTP_SERVER_ERROR, /* A HTTP server error occurred. */
ERR_HTTP_TIMEOUT, /* The HTTP request timed out. */
ERR_INITIALIZATION, /* FMOD was not initialized correctly to support this function. */
ERR_INITIALIZED, /* Cannot call this command after System::init. */
ERR_INTERNAL, /* An error occurred that wasn't supposed to. Contact support. */
ERR_INVALID_FLOAT, /* Value passed in was a NaN, Inf or denormalized float. */
ERR_INVALID_HANDLE, /* An invalid object handle was used. */
ERR_INVALID_PARAM, /* An invalid parameter was passed to this function. */
ERR_INVALID_POSITION, /* An invalid seek position was passed to this function. */
ERR_INVALID_SPEAKER, /* An invalid speaker was passed to this function based on the current speaker mode. */
ERR_INVALID_SYNCPOINT, /* The syncpoint did not come from this sound handle. */
ERR_INVALID_THREAD, /* Tried to call a function on a thread that is not supported. */
ERR_INVALID_VECTOR, /* The vectors passed in are not unit length, or perpendicular. */
ERR_MAXAUDIBLE, /* Reached maximum audible playback count for this sound's soundgroup. */
ERR_MEMORY, /* Not enough memory or resources. */
ERR_MEMORY_CANTPOINT, /* Can't use FMOD_OPENMEMORY_POINT on non PCM source data, or non mp3/xma/adpcm data if FMOD_CREATECOMPRESSEDSAMPLE was used. */
ERR_NEEDS3D, /* Tried to call a command on a 2d sound when the command was meant for 3d sound. */
ERR_NEEDSHARDWARE, /* Tried to use a feature that requires hardware support. */
ERR_NET_CONNECT, /* Couldn't connect to the specified host. */
ERR_NET_SOCKET_ERROR, /* A socket error occurred. This is a catch-all for socket-related errors not listed elsewhere. */
ERR_NET_URL, /* The specified URL couldn't be resolved. */
ERR_NET_WOULD_BLOCK, /* Operation on a non-blocking socket could not complete immediately. */
ERR_NOTREADY, /* Operation could not be performed because specified sound/DSP connection is not ready. */
ERR_OUTPUT_ALLOCATED, /* Error initializing output device, but more specifically, the output device is already in use and cannot be reused. */
ERR_OUTPUT_CREATEBUFFER, /* Error creating hardware sound buffer. */
ERR_OUTPUT_DRIVERCALL, /* A call to a standard soundcard driver failed, which could possibly mean a bug in the driver or resources were missing or exhausted. */
ERR_OUTPUT_FORMAT, /* Soundcard does not support the specified format. */
ERR_OUTPUT_INIT, /* Error initializing output device. */
ERR_OUTPUT_NODRIVERS, /* The output device has no drivers installed. If pre-init, FMOD_OUTPUT_NOSOUND is selected as the output mode. If post-init, the function just fails. */
ERR_PLUGIN, /* An unspecified error has been returned from a plugin. */
ERR_PLUGIN_MISSING, /* A requested output, dsp unit type or codec was not available. */
ERR_PLUGIN_RESOURCE, /* A resource that the plugin requires cannot be found. (ie the DLS file for MIDI playback) */
ERR_PLUGIN_VERSION, /* A plugin was built with an unsupported SDK version. */
ERR_RECORD, /* An error occurred trying to initialize the recording device. */
ERR_REVERB_CHANNELGROUP, /* Reverb properties cannot be set on this channel because a parent channelgroup owns the reverb connection. */
ERR_REVERB_INSTANCE, /* Specified instance in FMOD_REVERB_PROPERTIES couldn't be set. Most likely because it is an invalid instance number or the reverb doesn't exist. */
ERR_SUBSOUNDS, /* The error occurred because the sound referenced contains subsounds when it shouldn't have, or it doesn't contain subsounds when it should have. The operation may also not be able to be performed on a parent sound. */
ERR_SUBSOUND_ALLOCATED, /* This subsound is already being used by another sound, you cannot have more than one parent to a sound. Null out the other parent's entry first. */
ERR_SUBSOUND_CANTMOVE, /* Shared subsounds cannot be replaced or moved from their parent stream, such as when the parent stream is an FSB file. */
ERR_TAGNOTFOUND, /* The specified tag could not be found or there are no tags. */
ERR_TOOMANYCHANNELS, /* The sound created exceeds the allowable input channel count. This can be increased using the 'maxinputchannels' parameter in System::setSoftwareFormat. */
ERR_TRUNCATED, /* The retrieved string is too long to fit in the supplied buffer and has been truncated. */
ERR_UNIMPLEMENTED, /* Something in FMOD hasn't been implemented when it should be! contact support! */
ERR_UNINITIALIZED, /* This command failed because System::init or System::setDriver was not called. */
ERR_UNSUPPORTED, /* A command issued was not supported by this object. Possibly a plugin without certain callbacks specified. */
ERR_VERSION, /* The version number of this file format is not supported. */
ERR_EVENT_ALREADY_LOADED, /* The specified bank has already been loaded. */
ERR_EVENT_LIVEUPDATE_BUSY, /* The live update connection failed due to the game already being connected. */
ERR_EVENT_LIVEUPDATE_MISMATCH, /* The live update connection failed due to the game data being out of sync with the tool. */
ERR_EVENT_LIVEUPDATE_TIMEOUT, /* The live update connection timed out. */
ERR_EVENT_NOTFOUND, /* The requested event, bus or vca could not be found. */
ERR_STUDIO_UNINITIALIZED, /* The Studio::System object is not yet initialized. */
ERR_STUDIO_NOT_LOADED, /* The specified resource is not loaded, so it can't be unloaded. */
ERR_INVALID_STRING, /* An invalid string was passed to this function. */
ERR_ALREADY_LOCKED, /* The specified resource is already locked. */
ERR_NOT_LOCKED, /* The specified resource is not locked, so it can't be unlocked. */
}
/*
[ENUM]
[
[DESCRIPTION]
Used to distinguish if a FMOD_CHANNELCONTROL parameter is actually a channel or a channelgroup.
[REMARKS]
Cast the FMOD_CHANNELCONTROL to an FMOD_CHANNEL/FMOD::Channel, or FMOD_CHANNELGROUP/FMOD::ChannelGroup if specific functionality is needed for either class.
Otherwise use as FMOD_CHANNELCONTROL/FMOD::ChannelControl and use that API.
[SEE_ALSO]
Channel::setCallback
ChannelGroup::setCallback
]
*/
public enum CHANNELCONTROL_TYPE : int
{
CHANNEL,
CHANNELGROUP
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Structure describing a point in 3D space.
[REMARKS]
FMOD uses a left handed co-ordinate system by default.
To use a right handed co-ordinate system specify FMOD_INIT_3D_RIGHTHANDED from FMOD_INITFLAGS in System::init.
[SEE_ALSO]
System::set3DListenerAttributes
System::get3DListenerAttributes
Channel::set3DAttributes
Channel::get3DAttributes
Geometry::addPolygon
Geometry::setPolygonVertex
Geometry::getPolygonVertex
Geometry::setRotation
Geometry::getRotation
Geometry::setPosition
Geometry::getPosition
Geometry::setScale
Geometry::getScale
FMOD_INITFLAGS
]
*/
[StructLayout(LayoutKind.Sequential)]
public struct VECTOR
{
public float x; /* X co-ordinate in 3D space. */
public float y; /* Y co-ordinate in 3D space. */
public float z; /* Z co-ordinate in 3D space. */
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Structure describing a position, velocity and orientation.
[REMARKS]
[SEE_ALSO]
FMOD_VECTOR
FMOD_DSP_PARAMETER_3DATTRIBUTES
]
*/
[StructLayout(LayoutKind.Sequential)]
public struct _3D_ATTRIBUTES
{
VECTOR position;
VECTOR velocity;
VECTOR forward;
VECTOR up;
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Structure describing a globally unique identifier.
[REMARKS]
[SEE_ALSO]
System::getDriverInfo
]
*/
[StructLayout(LayoutKind.Sequential)]
public struct GUID
{
public uint Data1; /* Specifies the first 8 hexadecimal digits of the GUID */
public ushort Data2; /* Specifies the first group of 4 hexadecimal digits. */
public ushort Data3; /* Specifies the second group of 4 hexadecimal digits. */
[MarshalAs(UnmanagedType.ByValArray,SizeConst=8)]
public byte[] Data4; /* Array of 8 bytes. The first 2 bytes contain the third group of 4 hexadecimal digits. The remaining 6 bytes contain the final 12 hexadecimal digits. */
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Structure that is passed into FMOD_FILE_ASYNCREAD_CALLBACK. Use the information in this structure to perform
[REMARKS]
Members marked with [r] mean the variable is modified by FMOD and is for reading purposes only. Do not change this value.<br>
Members marked with [w] mean the variable can be written to. The user can set the value.<br>
<br>
Instructions: write to 'buffer', and 'bytesread' <b>BEFORE</b> setting 'result'.<br>
As soon as result is set, FMOD will asynchronously continue internally using the data provided in this structure.<br>
<br>
Set 'result' to the result expected from a normal file read callback.<br>
If the read was successful, set it to FMOD_OK.<br>
If it read some data but hit the end of the file, set it to FMOD_ERR_FILE_EOF.<br>
If a bad error occurred, return FMOD_ERR_FILE_BAD<br>
If a disk was ejected, return FMOD_ERR_FILE_DISKEJECTED.<br>
[SEE_ALSO]
FMOD_FILE_ASYNCREAD_CALLBACK
FMOD_FILE_ASYNCCANCEL_CALLBACK
]
*/
[StructLayout(LayoutKind.Sequential)]
public struct ASYNCREADINFO
{
public IntPtr handle; /* [r] The file handle that was filled out in the open callback. */
public uint offset; /* [r] Seek position, make sure you read from this file offset. */
public uint sizebytes; /* [r] how many bytes requested for read. */
public int priority; /* [r] 0 = low importance. 100 = extremely important (ie 'must read now or stuttering may occur') */
public IntPtr buffer; /* [w] Buffer to read file data into. */
public uint bytesread; /* [w] Fill this in before setting result code to tell FMOD how many bytes were read. */
public RESULT result; /* [r/w] Result code, FMOD_OK tells the system it is ready to consume the data. Set this last! Default value = FMOD_ERR_NOTREADY. */
public IntPtr userdata; /* [r] User data pointer. */
}
/*
[ENUM]
[
[DESCRIPTION]
These output types are used with System::setOutput / System::getOutput, to choose which output method to use.
[REMARKS]
To pass information to the driver when initializing fmod use the *extradriverdata* parameter in System::init for the following reasons.
- FMOD_OUTPUTTYPE_WAVWRITER - extradriverdata is a pointer to a char * file name that the wav writer will output to.
- FMOD_OUTPUTTYPE_WAVWRITER_NRT - extradriverdata is a pointer to a char * file name that the wav writer will output to.
- FMOD_OUTPUTTYPE_DSOUND - extradriverdata is cast to a HWND type, so that FMOD can set the focus on the audio for a particular window.
- FMOD_OUTPUTTYPE_PS3 - extradriverdata is a pointer to a FMOD_PS3_EXTRADRIVERDATA struct. This can be found in fmodps3.h.
- FMOD_OUTPUTTYPE_XBOX360 - extradriverdata is a pointer to a FMOD_360_EXTRADRIVERDATA struct. This can be found in fmodxbox360.h.
Currently these are the only FMOD drivers that take extra information. Other unknown plugins may have different requirements.
Note! If FMOD_OUTPUTTYPE_WAVWRITER_NRT or FMOD_OUTPUTTYPE_NOSOUND_NRT are used, and if the System::update function is being called
very quickly (ie for a non realtime decode) it may be being called too quickly for the FMOD streamer thread to respond to.
The result will be a skipping/stuttering output in the captured audio.
To remedy this, disable the FMOD streamer thread, and use FMOD_INIT_STREAM_FROM_UPDATE to avoid skipping in the output stream,
as it will lock the mixer and the streamer together in the same thread.
[SEE_ALSO]
System::setOutput
System::getOutput
System::setSoftwareFormat
System::getSoftwareFormat
System::init
System::update
FMOD_INITFLAGS
]
*/
public enum OUTPUTTYPE : int
{
AUTODETECT, /* Picks the best output mode for the platform. This is the default. */
UNKNOWN, /* All - 3rd party plugin, unknown. This is for use with System::getOutput only. */
NOSOUND, /* All - Perform all mixing but discard the final output. */
WAVWRITER, /* All - Writes output to a .wav file. */
NOSOUND_NRT, /* All - Non-realtime version of FMOD_OUTPUTTYPE_NOSOUND. User can drive mixer with System::update at whatever rate they want. */
WAVWRITER_NRT, /* All - Non-realtime version of FMOD_OUTPUTTYPE_WAVWRITER. User can drive mixer with System::update at whatever rate they want. */
DSOUND, /* Win - Direct Sound. (Default on Windows XP and below) */
WINMM, /* Win - Windows Multimedia. */
WASAPI, /* Win/WinStore/XboxOne - Windows Audio Session API. (Default on Windows Vista and above, Xbox One and Windows Store Applications) */
ASIO, /* Win - Low latency ASIO 2.0. */
PULSEAUDIO, /* Linux - Pulse Audio. (Default on Linux if available) */
ALSA, /* Linux - Advanced Linux Sound Architecture. (Default on Linux if PulseAudio isn't available) */
COREAUDIO, /* Mac/iOS - Core Audio. (Default on Mac and iOS) */
XBOX360, /* Xbox 360 - XAudio. (Default on Xbox 360) */
PS3, /* PS3 - Audio Out. (Default on PS3) */
AUDIOTRACK, /* Android - Java Audio Track. (Default on Android 2.2 and below) */
OPENSL, /* Android - OpenSL ES. (Default on Android 2.3 and above) */
WIIU, /* Wii U - AX. (Default on Wii U) */
AUDIOOUT, /* PS4/PSVita - Audio Out. (Default on PS4 and PS Vita) */
MAX, /* Maximum number of output types supported. */
}
/*
[ENUM]
[
[DESCRIPTION]
Specify the destination of log output when using the logging version of FMOD.
[REMARKS]
TTY destination can vary depending on platform, common examples include the
Visual Studio / Xcode output window, stderr and LogCat.
[SEE_ALSO]
FMOD_Debug_Initialize
]
*/
public enum DEBUG_MODE : int
{
TTY, /* Default log location per platform, i.e. Visual Studio output window, stderr, LogCat, etc */
FILE, /* Write log to specified file path */
CALLBACK, /* Call specified callback with log information */
}
/*
[DEFINE]
[
[NAME]
FMOD_DEBUG_FLAGS
[DESCRIPTION]
Specify the requested information to be output when using the logging version of FMOD.
[REMARKS]
[SEE_ALSO]
FMOD_Debug_Initialize
]
*/
[Flags]
public enum DEBUG_FLAGS : uint
{
NONE = 0x00000000, /* Disable all messages */
ERROR = 0x00000001, /* Enable only error messages. */
WARNING = 0x00000002, /* Enable warning and error messages. */
LOG = 0x00000004, /* Enable informational, warning and error messages (default). */
TYPE_MEMORY = 0x00000100, /* Verbose logging for memory operations, only use this if you are debugging a memory related issue. */
TYPE_FILE = 0x00000200, /* Verbose logging for file access, only use this if you are debugging a file related issue. */
TYPE_CODEC = 0x00000400, /* Verbose logging for codec initialization, only use this if you are debugging a codec related issue. */
TYPE_TRACE = 0x00000800, /* Verbose logging for internal errors, use this for tracking the origin of error codes. */
DISPLAY_TIMESTAMPS = 0x00010000, /* Display the time stamp of the log message in milliseconds. */
DISPLAY_LINENUMBERS = 0x00020000, /* Display the source code file and line number for where the message originated. */
DISPLAY_THREAD = 0x00040000, /* Display the thread ID of the calling function that generated the message. */
}
/*
[DEFINE]
[
[NAME]
FMOD_MEMORY_TYPE
[DESCRIPTION]
Bit fields for memory allocation type being passed into FMOD memory callbacks.
[REMARKS]
Remember this is a bitfield. You may get more than 1 bit set (ie physical + persistent) so do not simply switch on the types! You must check each bit individually or clear out the bits that you do not want within the callback.<br>
Bits can be excluded if you want during Memory_Initialize so that you never get them.
[SEE_ALSO]
FMOD_MEMORY_ALLOC_CALLBACK
FMOD_MEMORY_REALLOC_CALLBACK
FMOD_MEMORY_FREE_CALLBACK
Memory_Initialize
]
*/
[Flags]
public enum MEMORY_TYPE : uint
{
NORMAL = 0x00000000, /* Standard memory. */
STREAM_FILE = 0x00000001, /* Stream file buffer, size controllable with System::setStreamBufferSize. */
STREAM_DECODE = 0x00000002, /* Stream decode buffer, size controllable with FMOD_CREATESOUNDEXINFO::decodebuffersize. */
SAMPLEDATA = 0x00000004, /* Sample data buffer. Raw audio data, usually PCM/MPEG/ADPCM/XMA data. */
DSP_BUFFER = 0x00000008, /* DSP memory block allocated when more than 1 output exists on a DSP node. */
PLUGIN = 0x00000010, /* Memory allocated by a third party plugin. */
XBOX360_PHYSICAL = 0x00100000, /* Requires XPhysicalAlloc / XPhysicalFree. */
PERSISTENT = 0x00200000, /* Persistent memory. Memory will be freed when System::release is called. */
SECONDARY = 0x00400000, /* Secondary memory. Allocation should be in secondary memory. For example RSX on the PS3. */
ALL = 0xFFFFFFFF
}
/*
[ENUM]
[
[DESCRIPTION]
These are speaker types defined for use with the System::setSoftwareFormat command.
[REMARKS]
Note below the phrase 'sound channels' is used. These are the subchannels inside a sound, they are not related and
have nothing to do with the FMOD class "Channel".<br>
For example a mono sound has 1 sound channel, a stereo sound has 2 sound channels, and an AC3 or 6 channel wav file have 6 "sound channels".<br>
<br>
FMOD_SPEAKERMODE_RAW<br>
---------------------<br>
This mode is for output devices that are not specifically mono/stereo/quad/surround/5.1 or 7.1, but are multichannel.<br>
Use System::setSoftwareFormat to specify the number of speakers you want to address, otherwise it will default to 2 (stereo).<br>
Sound channels map to speakers sequentially, so a mono sound maps to output speaker 0, stereo sound maps to output speaker 0 & 1.<br>
The user assumes knowledge of the speaker order. FMOD_SPEAKER enumerations may not apply, so raw channel indices should be used.<br>
Multichannel sounds map input channels to output channels 1:1. <br>
Channel::setPan and Channel::setPanLevels do not work.<br>
Speaker levels must be manually set with Channel::setPanMatrix.<br>
<br>
FMOD_SPEAKERMODE_MONO<br>
---------------------<br>
This mode is for a 1 speaker arrangement.<br>
Panning does not work in this speaker mode.<br>
Mono, stereo and multichannel sounds have each sound channel played on the one speaker unity.<br>
Mix behavior for multichannel sounds can be set with Channel::setPanMatrix.<br>
Channel::setPanLevels does not work.<br>
<br>
FMOD_SPEAKERMODE_STEREO<br>
-----------------------<br>
This mode is for 2 speaker arrangements that have a left and right speaker.<br>
<li>Mono sounds default to an even distribution between left and right. They can be panned with Channel::setPan.<br>
<li>Stereo sounds default to the middle, or full left in the left speaker and full right in the right speaker.
<li>They can be cross faded with Channel::setPan.<br>
<li>Multichannel sounds have each sound channel played on each speaker at unity.<br>
<li>Mix behavior for multichannel sounds can be set with Channel::setPanMatrix.<br>
<li>Channel::setPanLevels works but only front left and right parameters are used, the rest are ignored.<br>
<br>
FMOD_SPEAKERMODE_QUAD<br>
------------------------<br>
This mode is for 4 speaker arrangements that have a front left, front right, surround left and a surround right speaker.<br>
<li>Mono sounds default to an even distribution between front left and front right. They can be panned with Channel::setPan.<br>
<li>Stereo sounds default to the left sound channel played on the front left, and the right sound channel played on the front right.<br>
<li>They can be cross faded with Channel::setPan.<br>
<li>Multichannel sounds default to all of their sound channels being played on each speaker in order of input.<br>
<li>Mix behavior for multichannel sounds can be set with Channel::setPanMatrix.<br>
<li>Channel::setPanLevels works but rear left, rear right, center and lfe are ignored.<br>
<br>
FMOD_SPEAKERMODE_SURROUND<br>
------------------------<br>
This mode is for 5 speaker arrangements that have a left/right/center/surround left/surround right.<br>
<li>Mono sounds default to the center speaker. They can be panned with Channel::setPan.<br>
<li>Stereo sounds default to the left sound channel played on the front left, and the right sound channel played on the front right.
<li>They can be cross faded with Channel::setPan.<br>
<li>Multichannel sounds default to all of their sound channels being played on each speaker in order of input.
<li>Mix behavior for multichannel sounds can be set with Channel::setPanMatrix.<br>
<li>Channel::setPanLevels works but rear left / rear right are ignored.<br>
<br>
FMOD_SPEAKERMODE_5POINT1<br>
---------------------------------------------------------<br>
This mode is for 5.1 speaker arrangements that have a left/right/center/surround left/surround right and a subwoofer speaker.<br>
<li>Mono sounds default to the center speaker. They can be panned with Channel::setPan.<br>
<li>Stereo sounds default to the left sound channel played on the front left, and the right sound channel played on the front right.
<li>They can be cross faded with Channel::setPan.<br>
<li>Multichannel sounds default to all of their sound channels being played on each speaker in order of input.
<li>Mix behavior for multichannel sounds can be set with Channel::setPanMatrix.<br>
<li>Channel::setPanLevels works but rear left / rear right are ignored.<br>
<br>
FMOD_SPEAKERMODE_7POINT1<br>
------------------------<br>
This mode is for 7.1 speaker arrangements that have a left/right/center/surround left/surround right/rear left/rear right
and a subwoofer speaker.<br>
<li>Mono sounds default to the center speaker. They can be panned with Channel::setPan.<br>
<li>Stereo sounds default to the left sound channel played on the front left, and the right sound channel played on the front right.
<li>They can be cross faded with Channel::setPan.<br>
<li>Multichannel sounds default to all of their sound channels being played on each speaker in order of input.
<li>Mix behavior for multichannel sounds can be set with Channel::setPanMatrix.<br>
<li>Channel::setPanLevels works and every parameter is used to set the balance of a sound in any speaker.<br>
<br>
[SEE_ALSO]
System::setSoftwareFormat
System::getSoftwareFormat
DSP::setChannelFormat
]
*/
public enum SPEAKERMODE : int
{
DEFAULT, /* Default speaker mode based on operating system/output mode. Windows = control panel setting, Xbox = 5.1, PS3 = 7.1 etc. */
RAW, /* There is no specific speakermode. Sound channels are mapped in order of input to output. Use System::setSoftwareFormat to specify speaker count. See remarks for more information. */
MONO, /* The speakers are monaural. */
STEREO, /* The speakers are stereo. */
QUAD, /* 4 speaker setup. This includes front left, front right, surround left, surround right. */
SURROUND, /* 5 speaker setup. This includes front left, front right, center, surround left, surround right. */
_5POINT1, /* 5.1 speaker setup. This includes front left, front right, center, surround left, surround right and an LFE speaker. */
_7POINT1, /* 7.1 speaker setup. This includes front left, front right, center, surround left, surround right, back left, back right and an LFE speaker. */
MAX, /* Maximum number of speaker modes supported. */
}
/*
[ENUM]
[
[DESCRIPTION]
Assigns an enumeration for a speaker index.
[REMARKS]
[SEE_ALSO]
System::setSpeakerPosition
System::getSpeakerPosition
]
*/
public enum SPEAKER : int
{
FRONT_LEFT,
FRONT_RIGHT,
FRONT_CENTER,
LOW_FREQUENCY,
SURROUND_LEFT,
SURROUND_RIGHT,
BACK_LEFT,
BACK_RIGHT,
MAX, /* Maximum number of speaker types supported. */
}
/*
[DEFINE]
[
[NAME]
FMOD_CHANNELMASK
[DESCRIPTION]
These are bitfields to describe for a certain number of channels in a signal, which channels are being represented.<br>
For example, a signal could be 1 channel, but contain the LFE channel only.<br>
[REMARKS]
FMOD_CHANNELMASK_BACK_CENTER is not represented as an output speaker in fmod - but it is encountered in input formats and is down or upmixed appropriately to the nearest speakers.<br>
[SEE_ALSO]
DSP::setChannelFormat
DSP::getChannelFormat
FMOD_SPEAKERMODE
]
*/
[Flags]
public enum CHANNELMASK : uint
{
FRONT_LEFT = 0x00000001,
FRONT_RIGHT = 0x00000002,
FRONT_CENTER = 0x00000004,
LOW_FREQUENCY = 0x00000008,
SURROUND_LEFT = 0x00000010,
SURROUND_RIGHT = 0x00000020,
BACK_LEFT = 0x00000040,
BACK_RIGHT = 0x00000080,
BACK_CENTER = 0x00000100,
MONO = (FRONT_LEFT),
STEREO = (FRONT_LEFT | FRONT_RIGHT),
LRC = (FRONT_LEFT | FRONT_RIGHT | FRONT_CENTER),
QUAD = (FRONT_LEFT | FRONT_RIGHT | SURROUND_LEFT | SURROUND_RIGHT),
SURROUND = (FRONT_LEFT | FRONT_RIGHT | FRONT_CENTER | SURROUND_LEFT | SURROUND_RIGHT),
_5POINT1 = (FRONT_LEFT | FRONT_RIGHT | FRONT_CENTER | LOW_FREQUENCY | SURROUND_LEFT | SURROUND_RIGHT),
_5POINT1_REARS = (FRONT_LEFT | FRONT_RIGHT | FRONT_CENTER | LOW_FREQUENCY | BACK_LEFT | BACK_RIGHT),
_7POINT0 = (FRONT_LEFT | FRONT_RIGHT | FRONT_CENTER | SURROUND_LEFT | SURROUND_RIGHT | BACK_LEFT | BACK_RIGHT),
_7POINT1 = (FRONT_LEFT | FRONT_RIGHT | FRONT_CENTER | LOW_FREQUENCY | SURROUND_LEFT | SURROUND_RIGHT | BACK_LEFT | BACK_RIGHT)
}
/*
[ENUM]
[
[DESCRIPTION]
When creating a multichannel sound, FMOD will pan them to their default speaker locations, for example a 6 channel sound will default to one channel per 5.1 output speaker.<br>
Another example is a stereo sound. It will default to left = front left, right = front right.<br>
<br>
This is for sounds that are not 'default'. For example you might have a sound that is 6 channels but actually made up of 3 stereo pairs, that should all be located in front left, front right only.
[REMARKS]
[SEE_ALSO]
FMOD_CREATESOUNDEXINFO
]
*/
public enum CHANNELORDER : int
{
DEFAULT, /* Left, Right, Center, LFE, Surround Left, Surround Right, Back Left, Back Right (see FMOD_SPEAKER enumeration) */
WAVEFORMAT, /* Left, Right, Center, LFE, Back Left, Back Right, Surround Left, Surround Right (as per Microsoft .wav WAVEFORMAT structure master order) */
PROTOOLS, /* Left, Center, Right, Surround Left, Surround Right, LFE */
ALLMONO, /* Mono, Mono, Mono, Mono, Mono, Mono, ... (each channel all the way up to 32 channels are treated as if they were mono) */
ALLSTEREO, /* Left, Right, Left, Right, Left, Right, ... (each pair of channels is treated as stereo all the way up to 32 channels) */
ALSA, /* Left, Right, Surround Left, Surround Right, Center, LFE (as per Linux ALSA channel order) */
MAX, /* Maximum number of channel orderings supported. */
}
/*
[ENUM]
[
[DESCRIPTION]
These are plugin types defined for use with the System::getNumPlugins,
System::getPluginInfo and System::unloadPlugin functions.
[REMARKS]
[SEE_ALSO]
System::getNumPlugins
System::getPluginInfo
System::unloadPlugin
]
*/
public enum PLUGINTYPE : int
{
OUTPUT, /* The plugin type is an output module. FMOD mixed audio will play through one of these devices */
CODEC, /* The plugin type is a file format codec. FMOD will use these codecs to load file formats for playback. */
DSP, /* The plugin type is a DSP unit. FMOD will use these plugins as part of its DSP network to apply effects to output or generate sound in realtime. */
MAX, /* Maximum number of plugin types supported. */
}
/*
[STRUCTURE]
[
[DESCRIPTION]
DSP metering info used for retrieving metering info
[REMARKS]
Members marked with [r] mean the variable is modified by FMOD and is for reading purposes only. Do not change this value.<br>
Members marked with [w] mean the variable can be written to. The user can set the value.<br>
[SEE_ALSO]
FMOD_SPEAKER
]
*/
[StructLayoutAttribute(LayoutKind.Sequential)]
public struct DSP_METERING_INFO
{
public int numsamples;
[MarshalAsAttribute(UnmanagedType.ByValArray, SizeConst = 32, ArraySubType = UnmanagedType.R4)]
public float[] peaklevel;
[MarshalAsAttribute(UnmanagedType.ByValArray, SizeConst = 32, ArraySubType = UnmanagedType.R4)]
public float[] rmslevel;
public short numchannels;
}
/*
[DEFINE]
[
[NAME]
FMOD_INITFLAGS
[DESCRIPTION]
Initialization flags. Use them with System::init in the *flags* parameter to change various behavior.
[REMARKS]
Use System::setAdvancedSettings to adjust settings for some of the features that are enabled by these flags.
[SEE_ALSO]
System::init
System::update
System::setAdvancedSettings
Channel::set3DOcclusion
]
*/
[Flags]
public enum INITFLAGS : uint
{
NORMAL = 0x00000000, /* Initialize normally */
STREAM_FROM_UPDATE = 0x00000001, /* No stream thread is created internally. Streams are driven from System::update. Mainly used with non-realtime outputs. */
MIX_FROM_UPDATE = 0x00000002, /* Win/Wii/PS3/Xbox/Xbox 360 Only - FMOD Mixer thread is woken up to do a mix when System::update is called rather than waking periodically on its own timer. */
_3D_RIGHTHANDED = 0x00000004, /* FMOD will treat +X as right, +Y as up and +Z as backwards (towards you). */
CHANNEL_LOWPASS = 0x00000100, /* All FMOD_3D based voices will add a software lowpass filter effect into the DSP chain which is automatically used when Channel::set3DOcclusion is used or the geometry API. This also causes sounds to sound duller when the sound goes behind the listener, as a fake HRTF style effect. Use System::setAdvancedSettings to disable or adjust cutoff frequency for this feature. */
CHANNEL_DISTANCEFILTER = 0x00000200, /* All FMOD_3D based voices will add a software lowpass and highpass filter effect into the DSP chain which will act as a distance-automated bandpass filter. Use System::setAdvancedSettings to adjust the center frequency. */
PROFILE_ENABLE = 0x00010000, /* Enable TCP/IP based host which allows FMOD Designer or FMOD Profiler to connect to it, and view memory, CPU and the DSP network graph in real-time. */
VOL0_BECOMES_VIRTUAL = 0x00020000, /* Any sounds that are 0 volume will go virtual and not be processed except for having their positions updated virtually. Use System::setAdvancedSettings to adjust what volume besides zero to switch to virtual at. */
GEOMETRY_USECLOSEST = 0x00040000, /* With the geometry engine, only process the closest polygon rather than accumulating all polygons the sound to listener line intersects. */
PREFER_DOLBY_DOWNMIX = 0x00080000, /* When using FMOD_SPEAKERMODE_5POINT1 with a stereo output device, use the Dolby Pro Logic II downmix algorithm instead of the SRS Circle Surround algorithm. */
THREAD_UNSAFE = 0x00100000, /* Disables thread safety for API calls. Only use this if FMOD low level is being called from a single thread, and if Studio API is not being used! */
PROFILE_METER_ALL = 0x00200000 /* Slower, but adds level metering for every single DSP unit in the graph. Use DSP::setMeteringEnabled to turn meters off individually. */
}
/*
[ENUM]
[
[DESCRIPTION]
These definitions describe the type of song being played.
[REMARKS]
[SEE_ALSO]
Sound::getFormat
]
*/
public enum SOUND_TYPE
{
UNKNOWN, /* 3rd party / unknown plugin format. */
AIFF, /* AIFF. */
ASF, /* Microsoft Advanced Systems Format (ie WMA/ASF/WMV). */
AT3, /* Sony ATRAC 3 format */
DLS, /* Sound font / downloadable sound bank. */
FLAC, /* FLAC lossless codec. */
FSB, /* FMOD Sample Bank. */
GCADPCM, /* GameCube ADPCM */
IT, /* Impulse Tracker. */
MIDI, /* MIDI. */
MOD, /* Protracker / Fasttracker MOD. */
MPEG, /* MP2/MP3 MPEG. */
OGGVORBIS, /* Ogg vorbis. */
PLAYLIST, /* Information only from ASX/PLS/M3U/WAX playlists */
RAW, /* Raw PCM data. */
S3M, /* ScreamTracker 3. */
USER, /* User created sound. */
WAV, /* Microsoft WAV. */
XM, /* FastTracker 2 XM. */
XMA, /* Xbox360 XMA */
VAG, /* PlayStation Portable adpcm VAG format. */
AUDIOQUEUE, /* iPhone hardware decoder, supports AAC, ALAC and MP3. */
XWMA, /* Xbox360 XWMA */
BCWAV, /* 3DS BCWAV container format for DSP ADPCM and PCM */
AT9, /* NGP ATRAC 9 format */
VORBIS, /* Raw vorbis */
MEDIA_FOUNDATION, /* Windows Store Application built in system codecs */
MEDIACODEC, /* Android MediaCodec */
MAX, /* Maximum number of sound types supported. */
}
/*
[ENUM]
[
[DESCRIPTION]
These definitions describe the native format of the hardware or software buffer that will be used.
[REMARKS]
This is the format the native hardware or software buffer will be or is created in.
[SEE_ALSO]
System::createSoundEx
Sound::getFormat
]
*/
public enum SOUND_FORMAT : int
{
NONE, /* Unitialized / unknown */
PCM8, /* 8bit integer PCM data */
PCM16, /* 16bit integer PCM data */
PCM24, /* 24bit integer PCM data */
PCM32, /* 32bit integer PCM data */
PCMFLOAT, /* 32bit floating point PCM data */
GCADPCM, /* Compressed GameCube DSP data */
IMAADPCM, /* Compressed XBox ADPCM data */
VAG, /* Compressed PlayStation 2 ADPCM data */
HEVAG, /* Compressed NGP ADPCM data. */
XMA, /* Compressed Xbox360 data. */
MPEG, /* Compressed MPEG layer 2 or 3 data. */
CELT, /* Compressed CELT data. */
AT9, /* Compressed ATRAC9 data. */
XWMA, /* Compressed Xbox360 xWMA data. */
VORBIS, /* Compressed Vorbis data. */
MAX /* Maximum number of sound formats supported. */
}
/*
[DEFINE]
[
[NAME]
FMOD_MODE
[DESCRIPTION]
Sound description bitfields, bitwise OR them together for loading and describing sounds.
[REMARKS]
By default a sound will open as a static sound that is decompressed fully into memory to PCM. (ie equivalent of FMOD_CREATESAMPLE)<br>
To have a sound stream instead, use FMOD_CREATESTREAM, or use the wrapper function System::createStream.<br>
Some opening modes (ie FMOD_OPENUSER, FMOD_OPENMEMORY, FMOD_OPENMEMORY_POINT, FMOD_OPENRAW) will need extra information.<br>
This can be provided using the FMOD_CREATESOUNDEXINFO structure.
<br>
Specifying FMOD_OPENMEMORY_POINT will POINT to your memory rather allocating its own sound buffers and duplicating it internally.<br>
<b><u>This means you cannot free the memory while FMOD is using it, until after Sound::release is called.</b></u>
With FMOD_OPENMEMORY_POINT, for PCM formats, only WAV, FSB, and RAW are supported. For compressed formats, only those formats supported by FMOD_CREATECOMPRESSEDSAMPLE are supported.<br>
With FMOD_OPENMEMORY_POINT and FMOD_OPENRAW or PCM, if using them together, note that you must pad the data on each side by 16 bytes. This is so fmod can modify the ends of the data for looping/interpolation/mixing purposes. If a wav file, you will need to insert silence, and then reset loop points to stop the playback from playing that silence.<br>
<br>
<b>Xbox 360 memory</b> On Xbox 360 Specifying FMOD_OPENMEMORY_POINT to a virtual memory address will cause FMOD_ERR_INVALID_ADDRESS
to be returned. Use physical memory only for this functionality.<br>
<br>
FMOD_LOWMEM is used on a sound if you want to minimize the memory overhead, by having FMOD not allocate memory for certain
features that are not likely to be used in a game environment. These are :<br>
1. Sound::getName functionality is removed. 256 bytes per sound is saved.<br>
[SEE_ALSO]
System::createSound
System::createStream
Sound::setMode
Sound::getMode
Channel::setMode
Channel::getMode
Sound::set3DCustomRolloff
Channel::set3DCustomRolloff
Sound::getOpenState
]
*/
[Flags]
public enum MODE : uint
{
DEFAULT = 0x00000000, /* Default for all modes listed below. FMOD_LOOP_OFF, FMOD_2D, FMOD_3D_WORLDRELATIVE, FMOD_3D_INVERSEROLLOFF */
LOOP_OFF = 0x00000001, /* For non looping sounds. (default). Overrides FMOD_LOOP_NORMAL / FMOD_LOOP_BIDI. */
LOOP_NORMAL = 0x00000002, /* For forward looping sounds. */
LOOP_BIDI = 0x00000004, /* For bidirectional looping sounds. (only works on software mixed static sounds). */
_2D = 0x00000008, /* Ignores any 3d processing. (default). */
_3D = 0x00000010, /* Makes the sound positionable in 3D. Overrides FMOD_2D. */
CREATESTREAM = 0x00000080, /* Decompress at runtime, streaming from the source provided (standard stream). Overrides FMOD_CREATESAMPLE. */
CREATESAMPLE = 0x00000100, /* Decompress at loadtime, decompressing or decoding whole file into memory as the target sample format. (standard sample). */
CREATECOMPRESSEDSAMPLE = 0x00000200, /* Load MP2, MP3, IMAADPCM or XMA into memory and leave it compressed. During playback the FMOD software mixer will decode it in realtime as a 'compressed sample'. Can only be used in combination with FMOD_SOFTWARE. */
OPENUSER = 0x00000400, /* Opens a user created static sample or stream. Use FMOD_CREATESOUNDEXINFO to specify format and/or read callbacks. If a user created 'sample' is created with no read callback, the sample will be empty. Use FMOD_Sound_Lock and FMOD_Sound_Unlock to place sound data into the sound if this is the case. */
OPENMEMORY = 0x00000800, /* "name_or_data" will be interpreted as a pointer to memory instead of filename for creating sounds. */
OPENMEMORY_POINT = 0x10000000, /* "name_or_data" will be interpreted as a pointer to memory instead of filename for creating sounds. Use FMOD_CREATESOUNDEXINFO to specify length. This differs to FMOD_OPENMEMORY in that it uses the memory as is, without duplicating the memory into its own buffers. Cannot be freed after open, only after Sound::release. Will not work if the data is compressed and FMOD_CREATECOMPRESSEDSAMPLE is not used. */
OPENRAW = 0x00001000, /* Will ignore file format and treat as raw pcm. User may need to declare if data is FMOD_SIGNED or FMOD_UNSIGNED */
OPENONLY = 0x00002000, /* Just open the file, dont prebuffer or read. Good for fast opens for info, or when sound::readData is to be used. */
ACCURATETIME = 0x00004000, /* For FMOD_CreateSound - for accurate FMOD_Sound_GetLength / FMOD_Channel_SetPosition on VBR MP3, AAC and MOD/S3M/XM/IT/MIDI files. Scans file first, so takes longer to open. FMOD_OPENONLY does not affect this. */
MPEGSEARCH = 0x00008000, /* For corrupted / bad MP3 files. This will search all the way through the file until it hits a valid MPEG header. Normally only searches for 4k. */
NONBLOCKING = 0x00010000, /* For opening sounds and getting streamed subsounds (seeking) asyncronously. Use Sound::getOpenState to poll the state of the sound as it opens or retrieves the subsound in the background. */
UNIQUE = 0x00020000, /* Unique sound, can only be played one at a time */
_3D_HEADRELATIVE = 0x00040000, /* Make the sound's position, velocity and orientation relative to the listener. */
_3D_WORLDRELATIVE = 0x00080000, /* Make the sound's position, velocity and orientation absolute (relative to the world). (DEFAULT) */
_3D_INVERSEROLLOFF = 0x00100000, /* This sound will follow the inverse rolloff model where mindistance = full volume, maxdistance = where sound stops attenuating, and rolloff is fixed according to the global rolloff factor. (DEFAULT) */
_3D_LINEARROLLOFF = 0x00200000, /* This sound will follow a linear rolloff model where mindistance = full volume, maxdistance = silence. */
_3D_LINEARSQUAREROLLOFF= 0x00400000, /* This sound will follow a linear-square rolloff model where mindistance = full volume, maxdistance = silence. Rolloffscale is ignored. */
_3D_INVERSETAPEREDROLLOFF = 0x00800000, /* This sound will follow the inverse rolloff model at distances close to mindistance and a linear-square rolloff close to maxdistance. */
_3D_CUSTOMROLLOFF = 0x04000000, /* This sound will follow a rolloff model defined by Sound::set3DCustomRolloff / Channel::set3DCustomRolloff. */
_3D_IGNOREGEOMETRY = 0x40000000, /* Is not affect by geometry occlusion. If not specified in Sound::setMode, or Channel::setMode, the flag is cleared and it is affected by geometry again. */
IGNORETAGS = 0x02000000, /* Skips id3v2/asf/etc tag checks when opening a sound, to reduce seek/read overhead when opening files (helps with CD performance). */
LOWMEM = 0x08000000, /* Removes some features from samples to give a lower memory overhead, like Sound::getName. */
LOADSECONDARYRAM = 0x20000000, /* Load sound into the secondary RAM of supported platform. On PS3, sounds will be loaded into RSX/VRAM. */
VIRTUAL_PLAYFROMSTART = 0x80000000 /* For sounds that start virtual (due to being quiet or low importance), instead of swapping back to audible, and playing at the correct offset according to time, this flag makes the sound play from the start. */
}
/*
[ENUM]
[
[DESCRIPTION]
These values describe what state a sound is in after FMOD_NONBLOCKING has been used to open it.
[REMARKS]
With streams, if you are using FMOD_NONBLOCKING, note that if the user calls Sound::getSubSound, a stream will go into FMOD_OPENSTATE_SEEKING state and sound related commands will return FMOD_ERR_NOTREADY.<br>
With streams, if you are using FMOD_NONBLOCKING, note that if the user calls Channel::getPosition, a stream will go into FMOD_OPENSTATE_SETPOSITION state and sound related commands will return FMOD_ERR_NOTREADY.<br>
[SEE_ALSO]
Sound::getOpenState
FMOD_MODE
]
*/
public enum OPENSTATE : int
{
READY = 0, /* Opened and ready to play */
LOADING, /* Initial load in progress */
ERROR, /* Failed to open - file not found, out of memory etc. See return value of Sound::getOpenState for what happened. */
CONNECTING, /* Connecting to remote host (internet sounds only) */
BUFFERING, /* Buffering data */
SEEKING, /* Seeking to subsound and re-flushing stream buffer. */
PLAYING, /* Ready and playing, but not possible to release at this time without stalling the main thread. */
SETPOSITION, /* Seeking within a stream to a different position. */
MAX, /* Maximum number of open state types. */
}
/*
[ENUM]
[
[DESCRIPTION]
These flags are used with SoundGroup::setMaxAudibleBehavior to determine what happens when more sounds
are played than are specified with SoundGroup::setMaxAudible.
[REMARKS]
When using FMOD_SOUNDGROUP_BEHAVIOR_MUTE, SoundGroup::setMuteFadeSpeed can be used to stop a sudden transition.
Instead, the time specified will be used to cross fade between the sounds that go silent and the ones that become audible.
[SEE_ALSO]
SoundGroup::setMaxAudibleBehavior
SoundGroup::getMaxAudibleBehavior
SoundGroup::setMaxAudible
SoundGroup::getMaxAudible
SoundGroup::setMuteFadeSpeed
SoundGroup::getMuteFadeSpeed
]
*/
public enum SOUNDGROUP_BEHAVIOR : int
{
BEHAVIOR_FAIL, /* Any sound played that puts the sound count over the SoundGroup::setMaxAudible setting, will simply fail during System::playSound. */
BEHAVIOR_MUTE, /* Any sound played that puts the sound count over the SoundGroup::setMaxAudible setting, will be silent, then if another sound in the group stops the sound that was silent before becomes audible again. */
BEHAVIOR_STEALLOWEST, /* Any sound played that puts the sound count over the SoundGroup::setMaxAudible setting, will steal the quietest / least important sound playing in the group. */
MAX, /* Maximum number of sound group behaviors. */
}
/*
[ENUM]
[
[DESCRIPTION]
These callback types are used with Channel::setCallback.
[REMARKS]
Each callback has commanddata parameters passed as int unique to the type of callback.<br>
See reference to FMOD_CHANNELCONTROL_CALLBACK to determine what they might mean for each type of callback.<br>
<br>
<b>Note!</b> Currently the user must call System::update for these callbacks to trigger!
[SEE_ALSO]
Channel::setCallback
ChannelGroup::setCallback
FMOD_CHANNELCONTROL_CALLBACK
System::update
]
*/
public enum CHANNELCONTROL_CALLBACK_TYPE : int
{
END, /* Called when a sound ends. */
VIRTUALVOICE, /* Called when a voice is swapped out or swapped in. */
SYNCPOINT, /* Called when a syncpoint is encountered. Can be from wav file markers. */
OCCLUSION, /* Called when the channel has its geometry occlusion value calculated. Can be used to clamp or change the value. */
MAX, /* Maximum number of callback types supported. */
}
/*
[ENUM]
[
[DESCRIPTION]
These enums denote special types of node within a DSP chain.
[REMARKS]
[SEE_ALSO]
Channel::getDSP
ChannelGroup::getDSP
]
*/
public struct CHANNELCONTROL_DSP_INDEX
{
public const int HEAD = -1; /* Head of the DSP chain. */
public const int FADER = -2; /* Built in fader DSP. */
public const int PANNER = -3; /* Built in panner DSP. */
public const int TAIL = -4; /* Tail of the DSP chain. */
}
/*
[ENUM]
[
[DESCRIPTION]
Used to distinguish the instance type passed into FMOD_ERROR_CALLBACK.
[REMARKS]
Cast the instance of FMOD_ERROR_CALLBACK to the appropriate class indicated by this enum.
[SEE_ALSO]
]
*/
public enum ERRORCALLBACK_INSTANCETYPE
{
NONE,
SYSTEM,
CHANNEL,
CHANNELGROUP,
CHANNELCONTROL,
SOUND,
SOUNDGROUP,
DSP,
DSPCONNECTION,
GEOMETRY,
REVERB3D,
STUDIO_SYSTEM,
STUDIO_EVENTDESCRIPTION,
STUDIO_EVENTINSTANCE,
STUDIO_PARAMETERINSTANCE,
STUDIO_CUEINSTANCE,
STUDIO_BUS,
STUDIO_VCA,
STUDIO_BANK
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Structure that is passed into FMOD_SYSTEM_CALLBACK for the FMOD_SYSTEM_CALLBACK_ERROR callback type.
[REMARKS]
The instance pointer will be a type corresponding to the instanceType enum.
[SEE_ALSO]
FMOD_ERRORCALLBACK_INSTANCETYPE
]
*/
[StructLayoutAttribute(LayoutKind.Sequential)]
public struct ERRORCALLBACK_INFO
{
public RESULT result; /* Error code result */
public ERRORCALLBACK_INSTANCETYPE instancetype; /* Type of instance the error occurred on */
public IntPtr instance; /* Instance pointer */
private IntPtr functionnamePtr; /* Function that the error occurred on */
private IntPtr functionparamsPtr; /* Function parameters that the error ocurred on */
public string functionname { get { return Marshal.PtrToStringAnsi(functionnamePtr); } }
public string functionparams { get { return Marshal.PtrToStringAnsi(functionparamsPtr); } }
}
/*
[DEFINE]
[
[NAME]
FMOD_SYSTEM_CALLBACK_TYPE
[DESCRIPTION]
These callback types are used with System::setCallback.
[REMARKS]
Each callback has commanddata parameters passed as void* unique to the type of callback.<br>
See reference to FMOD_SYSTEM_CALLBACK to determine what they might mean for each type of callback.<br>
<br>
<b>Note!</b> Using FMOD_SYSTEM_CALLBACK_DEVICELISTCHANGED (on Mac only) requires the application to be running an event loop which will allow external changes to device list to be detected by FMOD.<br>
<br>
<b>Note!</b> The 'system' object pointer will be null for FMOD_SYSTEM_CALLBACK_THREADCREATED and FMOD_SYSTEM_CALLBACK_MEMORYALLOCATIONFAILED callbacks.
[SEE_ALSO]
System::setCallback
System::update
DSP::addInput
]
*/
[Flags]
public enum SYSTEM_CALLBACK_TYPE : uint
{
DEVICELISTCHANGED = 0x00000001, /* Called from System::update when the enumerated list of devices has changed. */
DEVICELOST = 0x00000002, /* Called from System::update when an output device has been lost due to control panel parameter changes and FMOD cannot automatically recover. */
MEMORYALLOCATIONFAILED = 0x00000004, /* Called directly when a memory allocation fails somewhere in FMOD. (NOTE - 'system' will be NULL in this callback type.)*/
THREADCREATED = 0x00000008, /* Called directly when a thread is created. (NOTE - 'system' will be NULL in this callback type.) */
BADDSPCONNECTION = 0x00000010, /* Called when a bad connection was made with DSP::addInput. Usually called from mixer thread because that is where the connections are made. */
PREMIX = 0x00000020, /* Called each tick before a mix update happens. */
POSTMIX = 0x00000040, /* Called each tick after a mix update happens. */
ERROR = 0x00000080, /* Called when each API function returns an error code, including delayed async functions. */
MIDMIX = 0x00000100, /* Called each tick in mix update after clocks have been updated before the main mix occurs. */
THREADDESTROYED = 0x00000200, /* Called directly when a thread is destroyed. */
PREUPDATE = 0x00000400, /* Called at start of System::update function. */
POSTUPDATE = 0x00000800, /* Called at end of System::update function. */
}
/*
FMOD Callbacks
*/
public delegate RESULT DEBUG_CALLBACK (DEBUG_FLAGS flags, string file, int line, string func, string message);
public delegate RESULT SYSTEM_CALLBACK (IntPtr systemraw, SYSTEM_CALLBACK_TYPE type, IntPtr commanddata1, IntPtr commanddata2, IntPtr userdata);
public delegate RESULT CHANNEL_CALLBACK (IntPtr channelraw, CHANNELCONTROL_TYPE controltype, CHANNELCONTROL_CALLBACK_TYPE type, IntPtr commanddata1, IntPtr commanddata2);
public delegate RESULT SOUND_NONBLOCKCALLBACK (IntPtr soundraw, RESULT result);
public delegate RESULT SOUND_PCMREADCALLBACK (IntPtr soundraw, IntPtr data, uint datalen);
public delegate RESULT SOUND_PCMSETPOSCALLBACK (IntPtr soundraw, int subsound, uint position, TIMEUNIT postype);
public delegate RESULT FILE_OPENCALLBACK ([MarshalAs(UnmanagedType.LPWStr)]string name, ref uint filesize, ref IntPtr handle, IntPtr userdata);
public delegate RESULT FILE_CLOSECALLBACK (IntPtr handle, IntPtr userdata);
public delegate RESULT FILE_READCALLBACK (IntPtr handle, IntPtr buffer, uint sizebytes, ref uint bytesread, IntPtr userdata);
public delegate RESULT FILE_SEEKCALLBACK (IntPtr handle, int pos, IntPtr userdata);
public delegate RESULT FILE_ASYNCREADCALLBACK (IntPtr handle, IntPtr info, IntPtr userdata);
public delegate RESULT FILE_ASYNCCANCELCALLBACK (IntPtr handle, IntPtr userdata);
public delegate IntPtr MEMORY_ALLOC_CALLBACK (uint size, MEMORY_TYPE type, string sourcestr);
public delegate IntPtr MEMORY_REALLOC_CALLBACK (IntPtr ptr, uint size, MEMORY_TYPE type, string sourcestr);
public delegate void MEMORY_FREE_CALLBACK (IntPtr ptr, MEMORY_TYPE type, string sourcestr);
public delegate float CB_3D_ROLLOFFCALLBACK (IntPtr channelraw, float distance);
/*
[ENUM]
[
[DESCRIPTION]
List of interpolation types that the FMOD Ex software mixer supports.
[REMARKS]
The default resampler type is FMOD_DSP_RESAMPLER_LINEAR.<br>
Use System::setSoftwareFormat to tell FMOD the resampling quality you require for FMOD_SOFTWARE based sounds.
[SEE_ALSO]
System::setSoftwareFormat
System::getSoftwareFormat
]
*/
public enum DSP_RESAMPLER : int
{
DEFAULT, /* Default interpolation method. Currently equal to FMOD_DSP_RESAMPLER_LINEAR. */
NOINTERP, /* No interpolation. High frequency aliasing hiss will be audible depending on the sample rate of the sound. */
LINEAR, /* Linear interpolation (default method). Fast and good quality, causes very slight lowpass effect on low frequency sounds. */
CUBIC, /* Cubic interpolation. Slower than linear interpolation but better quality. */
SPLINE, /* 5 point spline interpolation. Slowest resampling method but best quality. */
MAX, /* Maximum number of resample methods supported. */
}
/*
[ENUM]
[
[DESCRIPTION]
List of connection types between 2 DSP nodes.
[REMARKS]
FMOD_DSP_CONNECTION_TYPE_STANDARD<br>
----------------------------------<br>
Default DSPConnection type. Audio is mixed from the input to the output DSP's audible buffer, meaning it will be part of the audible signal. A standard connection will execute its input DSP if it has not been executed before.<br>
<br>
FMOD_DSP_CONNECTION_TYPE_SIDECHAIN<br>
----------------------------------<br>
Sidechain DSPConnection type. Audio is mixed from the input to the output DSP's sidechain buffer, meaning it will NOT be part of the audible signal. A sidechain connection will execute its input DSP if it has not been executed before.<br>
The purpose of the seperate sidechain buffer in a DSP, is so that the DSP effect can privately access for analysis purposes. An example of use in this case, could be a compressor which analyzes the signal, to control its own effect parameters (ie a compression level or gain).<br>
<br>
For the effect developer, to accept sidechain data, the sidechain data will appear in the FMOD_DSP_STATE struct which is passed into the read callback of a DSP unit.<br>
FMOD_DSP_STATE::sidechaindata and FMOD_DSP::sidechainchannels will hold the mixed result of any sidechain data flowing into it.<br>
<br>
FMOD_DSP_CONNECTION_TYPE_SEND<br>
-----------------------------<br>
Send DSPConnection type. Audio is mixed from the input to the output DSP's audible buffer, meaning it will be part of the audible signal. A send connection will NOT execute its input DSP if it has not been executed before.<br>
A send connection will only read what exists at the input's buffer at the time of executing the output DSP unit (which can be considered the 'return')<br>
<br>
FMOD_DSP_CONNECTION_TYPE_SEND_SIDECHAIN<br>
---------------------------------------<br>
Send sidechain DSPConnection type. Audio is mixed from the input to the output DSP's sidechain buffer, meaning it will NOT be part of the audible signal. A send sidechain connection will NOT execute its input DSP if it has not been executed before.<br>
A send sidechain connection will only read what exists at the input's buffer at the time of executing the output DSP unit (which can be considered the 'sidechain return').
<br>
For the effect developer, to accept sidechain data, the sidechain data will appear in the FMOD_DSP_STATE struct which is passed into the read callback of a DSP unit.<br>
FMOD_DSP_STATE::sidechaindata and FMOD_DSP::sidechainchannels will hold the mixed result of any sidechain data flowing into it.
[SEE_ALSO]
DSP::addInput
DSPConnection::getType
]
*/
public enum DSPCONNECTION_TYPE : int
{
STANDARD, /* Default connection type. Audio is mixed from the input to the output DSP's audible buffer. */
SIDECHAIN, /* Sidechain connection type. Audio is mixed from the input to the output DSP's sidechain buffer. */
SEND, /* Send connection type. Audio is mixed from the input to the output DSP's audible buffer, but the input is NOT executed, only copied from. A standard connection or sidechain needs to make an input execute to generate data. */
SEND_SIDECHAIN, /* Send sidechain connection type. Audio is mixed from the input to the output DSP's sidechain buffer, but the input is NOT executed, only copied from. A standard connection or sidechain needs to make an input execute to generate data. */
MAX, /* Maximum number of DSP connection types supported. */
}
/*
[ENUM]
[
[DESCRIPTION]
List of tag types that could be stored within a sound. These include id3 tags, metadata from netstreams and vorbis/asf data.
[REMARKS]
[SEE_ALSO]
Sound::getTag
]
*/
public enum TAGTYPE : int
{
UNKNOWN = 0,
ID3V1,
ID3V2,
VORBISCOMMENT,
SHOUTCAST,
ICECAST,
ASF,
MIDI,
PLAYLIST,
FMOD,
USER,
MAX /* Maximum number of tag types supported. */
}
/*
[ENUM]
[
[DESCRIPTION]
List of data types that can be returned by Sound::getTag
[REMARKS]
[SEE_ALSO]
Sound::getTag
]
*/
public enum TAGDATATYPE : int
{
BINARY = 0,
INT,
FLOAT,
STRING,
STRING_UTF16,
STRING_UTF16BE,
STRING_UTF8,
CDTOC,
MAX /* Maximum number of tag datatypes supported. */
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Structure describing a piece of tag data.
[REMARKS]
Members marked with [w] mean the user sets the value before passing it to the function.
Members marked with [r] mean FMOD sets the value to be used after the function exits.
[SEE_ALSO]
Sound::getTag
TAGTYPE
TAGDATATYPE
]
*/
[StructLayout(LayoutKind.Sequential)]
public struct TAG
{
public TAGTYPE type; /* [r] The type of this tag. */
public TAGDATATYPE datatype; /* [r] The type of data that this tag contains */
private IntPtr namePtr; /* [r] The name of this tag i.e. "TITLE", "ARTIST" etc. */
public IntPtr data; /* [r] Pointer to the tag data - its format is determined by the datatype member */
public uint datalen; /* [r] Length of the data contained in this tag */
public bool updated; /* [r] True if this tag has been updated since last being accessed with Sound::getTag */
public string name { get { return Marshal.PtrToStringAnsi(namePtr); } }
}
/*
[DEFINE]
[
[NAME]
FMOD_TIMEUNIT
[DESCRIPTION]
List of time types that can be returned by Sound::getLength and used with Channel::setPosition or Channel::getPosition.
[REMARKS]
Do not combine flags except FMOD_TIMEUNIT_BUFFERED.
[SEE_ALSO]
Sound::getLength
Channel::setPosition
Channel::getPosition
]
*/
[Flags]
public enum TIMEUNIT : uint
{
MS = 0x00000001, /* Milliseconds. */
PCM = 0x00000002, /* PCM Samples, related to milliseconds * samplerate / 1000. */
PCMBYTES = 0x00000004, /* Bytes, related to PCM samples * channels * datawidth (ie 16bit = 2 bytes). */
RAWBYTES = 0x00000008, /* Raw file bytes of (compressed) sound data (does not include headers). Only used by Sound::getLength and Channel::getPosition. */
PCMFRACTION = 0x00000010, /* Fractions of 1 PCM sample. Unsigned int range 0 to 0xFFFFFFFF. Used for sub-sample granularity for DSP purposes. */
MODORDER = 0x00000100, /* MOD/S3M/XM/IT. Order in a sequenced module format. Use Sound::getFormat to determine the format. */
MODROW = 0x00000200, /* MOD/S3M/XM/IT. Current row in a sequenced module format. Sound::getLength will return the number if rows in the currently playing or seeked to pattern. */
MODPATTERN = 0x00000400, /* MOD/S3M/XM/IT. Current pattern in a sequenced module format. Sound::getLength will return the number of patterns in the song and Channel::getPosition will return the currently playing pattern. */
BUFFERED = 0x10000000, /* Time value as seen by buffered stream. This is always ahead of audible time, and is only used for processing. */
}
/*
[DEFINE]
[
[NAME]
FMOD_PORT_INDEX
[DESCRIPTION]
[REMARKS]
[SEE_ALSO]
System::AttachChannelGroupToPort
]
*/
public struct PORT_INDEX
{
public const ulong NONE = 0xFFFFFFFFFFFFFFFF;
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Use this structure with System::createSound when more control is needed over loading.
The possible reasons to use this with System::createSound are:
- Loading a file from memory.
- Loading a file from within another larger (possibly wad/pak) file, by giving the loader an offset and length.
- To create a user created / non file based sound.
- To specify a starting subsound to seek to within a multi-sample sounds (ie FSB/DLS) when created as a stream.
- To specify which subsounds to load for multi-sample sounds (ie FSB/DLS) so that memory is saved and only a subset is actually loaded/read from disk.
- To specify 'piggyback' read and seek callbacks for capture of sound data as fmod reads and decodes it. Useful for ripping decoded PCM data from sounds as they are loaded / played.
- To specify a MIDI DLS sample set file to load when opening a MIDI file.
See below on what members to fill for each of the above types of sound you want to create.
[REMARKS]
This structure is optional! Specify 0 or NULL in System::createSound if you don't need it!
<u>Loading a file from memory.</u>
- Create the sound using the FMOD_OPENMEMORY flag.
- Mandatory. Specify 'length' for the size of the memory block in bytes.
- Other flags are optional.
<u>Loading a file from within another larger (possibly wad/pak) file, by giving the loader an offset and length.</u>
- Mandatory. Specify 'fileoffset' and 'length'.
- Other flags are optional.
<u>To create a user created / non file based sound.</u>
- Create the sound using the FMOD_OPENUSER flag.
- Mandatory. Specify 'defaultfrequency, 'numchannels' and 'format'.
- Other flags are optional.
<u>To specify a starting subsound to seek to and flush with, within a multi-sample stream (ie FSB/DLS).</u>
- Mandatory. Specify 'initialsubsound'.
<u>To specify which subsounds to load for multi-sample sounds (ie FSB/DLS) so that memory is saved and only a subset is actually loaded/read from disk.</u>
- Mandatory. Specify 'inclusionlist' and 'inclusionlistnum'.
<u>To specify 'piggyback' read and seek callbacks for capture of sound data as fmod reads and decodes it. Useful for ripping decoded PCM data from sounds as they are loaded / played.</u>
- Mandatory. Specify 'pcmreadcallback' and 'pcmseekcallback'.
<u>To specify a MIDI DLS sample set file to load when opening a MIDI file.</u>
- Mandatory. Specify 'dlsname'.
Setting the 'decodebuffersize' is for cpu intensive codecs that may be causing stuttering, not file intensive codecs (ie those from CD or netstreams) which are normally
altered with System::setStreamBufferSize. As an example of cpu intensive codecs, an mp3 file will take more cpu to decode than a PCM wav file.
If you have a stuttering effect, then it is using more cpu than the decode buffer playback rate can keep up with. Increasing the decode buffersize will most likely solve this problem.
FSB codec. If inclusionlist and numsubsounds are used together, this will trigger a special mode where subsounds are shuffled down to save memory. (useful for large FSB
files where you only want to load 1 sound). There will be no gaps, ie no null subsounds. As an example, if there are 10,000 subsounds and there is an inclusionlist with only 1 entry,
and numsubsounds = 1, then subsound 0 will be that entry, and there will only be the memory allocated for 1 subsound. Previously there would still be 10,000 subsound pointers and other
associated codec entries allocated along with it multiplied by 10,000.
Members marked with [r] mean the variable is modified by FMOD and is for reading purposes only. Do not change this value.<br>
Members marked with [w] mean the variable can be written to. The user can set the value.
[SEE_ALSO]
System::createSound
System::setStreamBufferSize
FMOD_MODE
FMOD_SOUND_FORMAT
FMOD_SOUND_TYPE
FMOD_CHANNELMASK
FMOD_CHANNELORDER
]
*/
[StructLayout(LayoutKind.Sequential)]
public struct CREATESOUNDEXINFO
{
public int cbsize; /* [w] Size of this structure. This is used so the structure can be expanded in the future and still work on older versions of FMOD Ex. */
public uint length; /* [w] Optional. Specify 0 to ignore. Size in bytes of file to load, or sound to create (in this case only if FMOD_OPENUSER is used). Required if loading from memory. If 0 is specified, then it will use the size of the file (unless loading from memory then an error will be returned). */
public uint fileoffset; /* [w] Optional. Specify 0 to ignore. Offset from start of the file to start loading from. This is useful for loading files from inside big data files. */
public int numchannels; /* [w] Optional. Specify 0 to ignore. Number of channels in a sound specified only if OPENUSER is used. */
public int defaultfrequency; /* [w] Optional. Specify 0 to ignore. Default frequency of sound in a sound specified only if OPENUSER is used. Other formats use the frequency determined by the file format. */
public SOUND_FORMAT format; /* [w] Optional. Specify 0 or SOUND_FORMAT_NONE to ignore. Format of the sound specified only if OPENUSER is used. Other formats use the format determined by the file format. */
public uint decodebuffersize; /* [w] Optional. Specify 0 to ignore. For streams. This determines the size of the double buffer (in PCM samples) that a stream uses. Use this for user created streams if you want to determine the size of the callback buffer passed to you. Specify 0 to use FMOD's default size which is currently equivalent to 400ms of the sound format created/loaded. */
public int initialsubsound; /* [w] Optional. Specify 0 to ignore. In a multi-sample file format such as .FSB/.DLS/.SF2, specify the initial subsound to seek to, only if CREATESTREAM is used. */
public int numsubsounds; /* [w] Optional. Specify 0 to ignore or have no subsounds. In a user created multi-sample sound, specify the number of subsounds within the sound that are accessable with Sound::getSubSound / SoundGetSubSound. */
public IntPtr inclusionlist; /* [w] Optional. Specify 0 to ignore. In a multi-sample format such as .FSB/.DLS/.SF2 it may be desirable to specify only a subset of sounds to be loaded out of the whole file. This is an array of subsound indicies to load into memory when created. */
public int inclusionlistnum; /* [w] Optional. Specify 0 to ignore. This is the number of integers contained within the */
public SOUND_PCMREADCALLBACK pcmreadcallback; /* [w] Optional. Specify 0 to ignore. Callback to 'piggyback' on FMOD's read functions and accept or even write PCM data while FMOD is opening the sound. Used for user sounds created with OPENUSER or for capturing decoded data as FMOD reads it. */
public SOUND_PCMSETPOSCALLBACK pcmsetposcallback; /* [w] Optional. Specify 0 to ignore. Callback for when the user calls a seeking function such as Channel::setPosition within a multi-sample sound, and for when it is opened.*/
public SOUND_NONBLOCKCALLBACK nonblockcallback; /* [w] Optional. Specify 0 to ignore. Callback for successful completion, or error while loading a sound that used the FMOD_NONBLOCKING flag.*/
public IntPtr dlsname; /* [w] Optional. Specify 0 to ignore. Filename for a DLS or SF2 sample set when loading a MIDI file. If not specified, on windows it will attempt to open /windows/system32/drivers/gm.dls, otherwise the MIDI will fail to open. */
public IntPtr encryptionkey; /* [w] Optional. Specify 0 to ignore. Key for encrypted FSB file. Without this key an encrypted FSB file will not load. */
public int maxpolyphony; /* [w] Optional. Specify 0 to ingore. For sequenced formats with dynamic channel allocation such as .MID and .IT, this specifies the maximum voice count allowed while playing. .IT defaults to 64. .MID defaults to 32. */
public IntPtr userdata; /* [w] Optional. Specify 0 to ignore. This is user data to be attached to the sound during creation. Access via Sound::getUserData. */
public SOUND_TYPE suggestedsoundtype; /* [w] Optional. Specify 0 or FMOD_SOUND_TYPE_UNKNOWN to ignore. Instead of scanning all codec types, use this to speed up loading by making it jump straight to this codec. */
public FILE_OPENCALLBACK useropen; /* [w] Optional. Specify 0 to ignore. Callback for opening this file. */
public FILE_CLOSECALLBACK userclose; /* [w] Optional. Specify 0 to ignore. Callback for closing this file. */
public FILE_READCALLBACK userread; /* [w] Optional. Specify 0 to ignore. Callback for reading from this file. */
public FILE_SEEKCALLBACK userseek; /* [w] Optional. Specify 0 to ignore. Callback for seeking within this file. */
public FILE_ASYNCREADCALLBACK userasyncread; /* [w] Optional. Specify 0 to ignore. Callback for asyncronously reading from this file. */
public FILE_ASYNCCANCELCALLBACK userasynccancel; /* [w] Optional. Specify 0 to ignore. Callback for cancelling an asyncronous read. */
public IntPtr fileuserdata; /* [w] Optional. Specify 0 to ignore. User data to be passed into the file callbacks. */
public CHANNELORDER channelorder; /* [w] Optional. Specify 0 to ignore. Use this to differ the way fmod maps multichannel sounds to speakers. See FMOD_CHANNELORDER for more. */
public CHANNELMASK channelmask; /* [w] Optional. Specify 0 to ignore. Use this to differ the way fmod maps multichannel sounds to speakers. See FMOD_CHANNELMASK for more. */
public IntPtr initialsoundgroup; /* [w] Optional. Specify 0 to ignore. Specify a sound group if required, to put sound in as it is created. */
public uint initialseekposition; /* [w] Optional. Specify 0 to ignore. For streams. Specify an initial position to seek the stream to. */
public TIMEUNIT initialseekpostype; /* [w] Optional. Specify 0 to ignore. For streams. Specify the time unit for the position set in initialseekposition. */
public int ignoresetfilesystem; /* [w] Optional. Specify 0 to ignore. Set to 1 to use fmod's built in file system. Ignores setFileSystem callbacks and also FMOD_CREATESOUNEXINFO file callbacks. Useful for specific cases where you don't want to use your own file system but want to use fmod's file system (ie net streaming). */
public uint audioqueuepolicy; /* [w] Optional. Specify 0 or FMOD_AUDIOQUEUE_CODECPOLICY_DEFAULT to ignore. Policy used to determine whether hardware or software is used for decoding, see FMOD_AUDIOQUEUE_CODECPOLICY for options (iOS >= 3.0 required, otherwise only hardware is available) */
public uint minmidigranularity; /* [w] Optional. Specify 0 to ignore. Allows you to set a minimum desired MIDI mixer granularity. Values smaller than 512 give greater than default accuracy at the cost of more CPU and vise versa. Specify 0 for default (512 samples). */
public int nonblockthreadid; /* [w] Optional. Specify 0 to ignore. Specifies a thread index to execute non blocking load on. Allows for up to 5 threads to be used for loading at once. This is to avoid one load blocking another. Maximum value = 4. */
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Structure defining a reverb environment for FMOD_SOFTWARE based sounds only.<br>
[REMARKS]
Note the default reverb properties are the same as the FMOD_PRESET_GENERIC preset.<br>
Note that integer values that typically range from -10,000 to 1000 are represented in decibels,
and are of a logarithmic scale, not linear, wheras float values are always linear.<br>
<br>
The numerical values listed below are the maximum, minimum and default values for each variable respectively.<br>
<br>
Hardware voice / Platform Specific reverb support.<br>
WII See FMODWII.H for hardware specific reverb functionality.<br>
3DS See FMOD3DS.H for hardware specific reverb functionality.<br>
PSP See FMODWII.H for hardware specific reverb functionality.<br>
<br>
Members marked with [r] mean the variable is modified by FMOD and is for reading purposes only. Do not change this value.<br>
Members marked with [w] mean the variable can be written to. The user can set the value.<br>
Members marked with [r/w] are either read or write depending on if you are using System::setReverbProperties (w) or System::getReverbProperties (r).
[SEE_ALSO]
System::setReverbProperties
System::getReverbProperties
FMOD_REVERB_PRESETS
]
*/
#pragma warning disable 414
[StructLayout(LayoutKind.Sequential)]
public struct REVERB_PROPERTIES
{ /* MIN MAX DEFAULT DESCRIPTION */
float DecayTime; /* [r/w] 0.0 20000.0 1500.0 Reverberation decay time in ms */
float EarlyDelay; /* [r/w] 0.0 300.0 7.0 Initial reflection delay time */
float LateDelay; /* [r/w] 0.0 100 11.0 Late reverberation delay time relative to initial reflection */
float HFReference; /* [r/w] 20.0 20000.0 5000 Reference high frequency (hz) */
float HFDecayRatio; /* [r/w] 10.0 100.0 50.0 High-frequency to mid-frequency decay time ratio */
float Diffusion; /* [r/w] 0.0 100.0 100.0 Value that controls the echo density in the late reverberation decay. */
float Density; /* [r/w] 0.0 100.0 100.0 Value that controls the modal density in the late reverberation decay */
float LowShelfFrequency; /* [r/w] 20.0 1000.0 250.0 Reference low frequency (hz) */
float LowShelfGain; /* [r/w] -36.0 12.0 0.0 Relative room effect level at low frequencies */
float HighCut; /* [r/w] 20.0 20000.0 20000.0 Relative room effect level at high frequencies */
float EarlyLateMix; /* [r/w] 0.0 100.0 50.0 Early reflections level relative to room effect */
float WetLevel; /* [r/w] -80.0 20.0 -6.0 Room effect level (at mid frequencies)
* */
#region wrapperinternal
public REVERB_PROPERTIES(float decayTime, float earlyDelay, float lateDelay, float hfReference,
float hfDecayRatio, float diffusion, float density, float lowShelfFrequency, float lowShelfGain,
float highCut, float earlyLateMix, float wetLevel)
{
DecayTime = decayTime;
EarlyDelay = earlyDelay;
LateDelay = lateDelay;
HFReference = hfReference;
HFDecayRatio = hfDecayRatio;
Diffusion = diffusion;
Density = density;
LowShelfFrequency = lowShelfFrequency;
LowShelfGain = lowShelfGain;
HighCut = highCut;
EarlyLateMix = earlyLateMix;
WetLevel = wetLevel;
}
#endregion
}
#pragma warning restore 414
/*
[DEFINE]
[
[NAME]
FMOD_REVERB_PRESETS
[DESCRIPTION]
A set of predefined environment PARAMETERS, created by Creative Labs
These are used to initialize an FMOD_REVERB_PROPERTIES structure statically.
ie
FMOD_REVERB_PROPERTIES prop = FMOD_PRESET_GENERIC;
[SEE_ALSO]
System::setReverbProperties
]
*/
class PRESET
{
/* Instance Env Diffus Room RoomHF RmLF DecTm DecHF DecLF Refl RefDel Revb RevDel ModTm ModDp HFRef LFRef Diffus Densty FLAGS */
public REVERB_PROPERTIES OFF() { return new REVERB_PROPERTIES( 1000, 7, 11, 5000, 100, 100, 100, 250, 0, 20, 96, -80.0f );}
public REVERB_PROPERTIES GENERIC() { return new REVERB_PROPERTIES( 1500, 7, 11, 5000, 83, 100, 100, 250, 0, 14500, 96, -8.0f );}
public REVERB_PROPERTIES PADDEDCELL() { return new REVERB_PROPERTIES( 170, 1, 2, 5000, 10, 100, 100, 250, 0, 160, 84, -7.8f );}
public REVERB_PROPERTIES ROOM() { return new REVERB_PROPERTIES( 400, 2, 3, 5000, 83, 100, 100, 250, 0, 6050, 88, -9.4f );}
public REVERB_PROPERTIES BATHROOM() { return new REVERB_PROPERTIES( 1500, 7, 11, 5000, 54, 100, 60, 250, 0, 2900, 83, 0.5f );}
public REVERB_PROPERTIES LIVINGROOM() { return new REVERB_PROPERTIES( 500, 3, 4, 5000, 10, 100, 100, 250, 0, 160, 58, -19.0f );}
public REVERB_PROPERTIES STONEROOM() { return new REVERB_PROPERTIES( 2300, 12, 17, 5000, 64, 100, 100, 250, 0, 7800, 71, -8.5f );}
public REVERB_PROPERTIES AUDITORIUM() { return new REVERB_PROPERTIES( 4300, 20, 30, 5000, 59, 100, 100, 250, 0, 5850, 64, -11.7f );}
public REVERB_PROPERTIES CONCERTHALL() { return new REVERB_PROPERTIES( 3900, 20, 29, 5000, 70, 100, 100, 250, 0, 5650, 80, -9.8f );}
public REVERB_PROPERTIES CAVE() { return new REVERB_PROPERTIES( 2900, 15, 22, 5000, 100, 100, 100, 250, 0, 20000, 59, -11.3f );}
public REVERB_PROPERTIES ARENA() { return new REVERB_PROPERTIES( 7200, 20, 30, 5000, 33, 100, 100, 250, 0, 4500, 80, -9.6f );}
public REVERB_PROPERTIES HANGAR() { return new REVERB_PROPERTIES( 10000, 20, 30, 5000, 23, 100, 100, 250, 0, 3400, 72, -7.4f );}
public REVERB_PROPERTIES CARPETTEDHALLWAY() { return new REVERB_PROPERTIES( 300, 2, 30, 5000, 10, 100, 100, 250, 0, 500, 56, -24.0f );}
public REVERB_PROPERTIES HALLWAY() { return new REVERB_PROPERTIES( 1500, 7, 11, 5000, 59, 100, 100, 250, 0, 7800, 87, -5.5f );}
public REVERB_PROPERTIES STONECORRIDOR() { return new REVERB_PROPERTIES( 270, 13, 20, 5000, 79, 100, 100, 250, 0, 9000, 86, -6.0f );}
public REVERB_PROPERTIES ALLEY() { return new REVERB_PROPERTIES( 1500, 7, 11, 5000, 86, 100, 100, 250, 0, 8300, 80, -9.8f );}
public REVERB_PROPERTIES FOREST() { return new REVERB_PROPERTIES( 1500, 162, 88, 5000, 54, 79, 100, 250, 0, 760, 94, -12.3f );}
public REVERB_PROPERTIES CITY() { return new REVERB_PROPERTIES( 1500, 7, 11, 5000, 67, 50, 100, 250, 0, 4050, 66, -26.0f );}
public REVERB_PROPERTIES MOUNTAINS() { return new REVERB_PROPERTIES( 1500, 300, 100, 5000, 21, 27, 100, 250, 0, 1220, 82, -24.0f );}
public REVERB_PROPERTIES QUARRY() { return new REVERB_PROPERTIES( 1500, 61, 25, 5000, 83, 100, 100, 250, 0, 3400, 100, -5.0f );}
public REVERB_PROPERTIES PLAIN() { return new REVERB_PROPERTIES( 1500, 179, 100, 5000, 50, 21, 100, 250, 0, 1670, 65, -28.0f );}
public REVERB_PROPERTIES PARKINGLOT() { return new REVERB_PROPERTIES( 1700, 8, 12, 5000, 100, 100, 100, 250, 0, 20000, 56, -19.5f );}
public REVERB_PROPERTIES SEWERPIPE() { return new REVERB_PROPERTIES( 2800, 14, 21, 5000, 14, 80, 60, 250, 0, 3400, 66, 1.2f );}
public REVERB_PROPERTIES UNDERWATER() { return new REVERB_PROPERTIES( 1500, 7, 11, 5000, 10, 100, 100, 250, 0, 500, 92, 7.0f );}
}
/*
[STRUCTURE]
[
[DESCRIPTION]
Settings for advanced features like configuring memory and cpu usage for the FMOD_CREATECOMPRESSEDSAMPLE feature.
[REMARKS]
maxMPEGCodecs / maxADPCMCodecs / maxXMACodecs will determine the maximum cpu usage of playing realtime samples. Use this to lower potential excess cpu usage and also control memory usage.<br>
[SEE_ALSO]
System::setAdvancedSettings
System::getAdvancedSettings
]
*/
[StructLayout(LayoutKind.Sequential)]
public struct ADVANCEDSETTINGS
{
public int cbSize; /* [r] Size of structure. Use sizeof(FMOD_ADVANCEDSETTINGS) */
public int maxMPEGCodecs; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_CREATECOMPRESSEDSAMPLE only. MPEG codecs consume 30,528 bytes per instance and this number will determine how many MPEG channels can be played simultaneously. Default = 32. */
public int maxADPCMCodecs; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_CREATECOMPRESSEDSAMPLE only. ADPCM codecs consume 3,128 bytes per instance and this number will determine how many ADPCM channels can be played simultaneously. Default = 32. */
public int maxXMACodecs; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_CREATECOMPRESSEDSAMPLE only. XMA codecs consume 14,836 bytes per instance and this number will determine how many XMA channels can be played simultaneously. Default = 32. */
public int maxCELTCodecs; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_CREATECOMPRESSEDSAMPLE only. CELT codecs consume 25,408 bytes per instance and this number will determine how many CELT channels can be played simultaneously. Default = 32. */
public int maxVorbisCodecs; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_CREATECOMPRESSEDSAMPLE only. Vorbis codecs consume 23,256 bytes per instance and this number will determine how many Vorbis channels can be played simultaneously. Default = 32. */
public int maxAT9Codecs; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_CREATECOMPRESSEDSAMPLE only. AT9 codecs consume 8,720 bytes per instance and this number will determine how many AT9 channels can be played simultaneously. Default = 32. */
public int maxPCMCodecs; /* [r/w] Optional. Specify 0 to ignore. For use with PS3 only. PCM codecs consume 12,672 bytes per instance and this number will determine how many streams and PCM voices can be played simultaneously. Default = 16. */
public int ASIONumChannels; /* [r/w] Optional. Specify 0 to ignore. Number of channels available on the ASIO device. */
public IntPtr ASIOChannelList; /* [r/w] Optional. Specify 0 to ignore. Pointer to an array of strings (number of entries defined by ASIONumChannels) with ASIO channel names. */
public IntPtr ASIOSpeakerList; /* [r/w] Optional. Specify 0 to ignore. Pointer to a list of speakers that the ASIO channels map to. This can be called after System::init to remap ASIO output. */
public float HRTFMinAngle; /* [r/w] Optional. For use with FMOD_INIT_HRTF_LOWPASS. The angle range (0-360) of a 3D sound in relation to the listener, at which the HRTF function begins to have an effect. 0 = in front of the listener. 180 = from 90 degrees to the left of the listener to 90 degrees to the right. 360 = behind the listener. Default = 180.0. */
public float HRTFMaxAngle; /* [r/w] Optional. For use with FMOD_INIT_HRTF_LOWPASS. The angle range (0-360) of a 3D sound in relation to the listener, at which the HRTF function has maximum effect. 0 = front of the listener. 180 = from 90 degrees to the left of the listener to 90 degrees to the right. 360 = behind the listener. Default = 360.0. */
public float HRTFFreq; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_INIT_HRTF_LOWPASS. The cutoff frequency of the HRTF's lowpass filter function when at maximum effect. (i.e. at HRTFMaxAngle). Default = 4000.0. */
public float vol0virtualvol; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_INIT_VOL0_BECOMES_VIRTUAL. If this flag is used, and the volume is below this, then the sound will become virtual. Use this value to raise the threshold to a different point where a sound goes virtual. */
public uint defaultDecodeBufferSize; /* [r/w] Optional. Specify 0 to ignore. For streams. This determines the default size of the double buffer (in milliseconds) that a stream uses. Default = 400ms */
public ushort profilePort; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_INIT_ENABLE_PROFILE. Specify the port to listen on for connections by the profiler application. */
public uint geometryMaxFadeTime; /* [r/w] Optional. Specify 0 to ignore. The maximum time in miliseconds it takes for a channel to fade to the new level when its occlusion changes. */
public float distanceFilterCenterFreq; /* [r/w] Optional. Specify 0 to ignore. For use with FMOD_INIT_DISTANCE_FILTERING. The default center frequency in Hz for the distance filtering effect. Default = 1500.0. */
public int reverb3Dinstance; /* [r/w] Optional. Specify 0 to ignore. Out of 0 to 3, 3d reverb spheres will create a phyical reverb unit on this instance slot. See FMOD_REVERB_PROPERTIES. */
public int DSPBufferPoolSize; /* [r/w] Optional. Specify 0 to ignore. Number of buffers in DSP buffer pool. Each buffer will be DSPBlockSize * sizeof(float) * SpeakerModeChannelCount. ie 7.1 @ 1024 DSP block size = 8 * 1024 * 4 = 32kb. Default = 8. */
public uint stackSizeStream; /* [r/w] Optional. Specify 0 to ignore. Specify the stack size for the FMOD Stream thread in bytes. Useful for custom codecs that use excess stack. Default 49,152 (48kb) */
public uint stackSizeNonBlocking; /* [r/w] Optional. Specify 0 to ignore. Specify the stack size for the FMOD_NONBLOCKING loading thread. Useful for custom codecs that use excess stack. Default 65,536 (64kb) */
public uint stackSizeMixer; /* [r/w] Optional. Specify 0 to ignore. Specify the stack size for the FMOD mixer thread. Useful for custom dsps that use excess stack. Default 49,152 (48kb) */
public uint resamplerMethod; /* [r/w] Optional. Specify 0 to ignore. Resampling method used with fmod's software mixer. See FMOD_DSP_RESAMPLER for details on methods. */
public uint commandQueueSize; /* [r/w] Optional. Specify 0 to ignore. Specify the command queue size for thread safe processing. Default 2048 (2kb) */
public uint randomSeed; /* [r/w] Optional. Specify 0 to ignore. Seed value that FMOD will use to initialize its internal random number generators. */
}
/*
FMOD System factory functions. Use this to create an FMOD System Instance. below you will see System init/close to get started.
*/
public class Factory
{
public static RESULT System_Create(out System system)
{
system = null;
RESULT result = RESULT.OK;
IntPtr rawPtr = new IntPtr();
result = FMOD_System_Create(out rawPtr);
if (result != RESULT.OK)
{
return result;
}
system = new System(rawPtr);
return result;
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Create (out IntPtr system);
#endregion
}
public class Memory
{
public static RESULT Initialize(IntPtr poolmem, int poollen, MEMORY_ALLOC_CALLBACK useralloc, MEMORY_REALLOC_CALLBACK userrealloc, MEMORY_FREE_CALLBACK userfree, MEMORY_TYPE memtypeflags)
{
return FMOD_Memory_Initialize(poolmem, poollen, useralloc, userrealloc, userfree, memtypeflags);
}
public static RESULT GetStats(out int currentalloced, out int maxalloced)
{
return GetStats(out currentalloced, out maxalloced, false);
}
public static RESULT GetStats(out int currentalloced, out int maxalloced, bool blocking)
{
return FMOD_Memory_GetStats(out currentalloced, out maxalloced, blocking);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Memory_Initialize(IntPtr poolmem, int poollen, MEMORY_ALLOC_CALLBACK useralloc, MEMORY_REALLOC_CALLBACK userrealloc, MEMORY_FREE_CALLBACK userfree, MEMORY_TYPE memtypeflags);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Memory_GetStats(out int currentalloced, out int maxalloced, bool blocking);
#endregion
}
public class Debug
{
public static RESULT Initialize(DEBUG_FLAGS flags, DEBUG_MODE mode, DEBUG_CALLBACK callback, string filename)
{
return FMOD_Debug_Initialize(flags, mode, callback, filename);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Debug_Initialize(DEBUG_FLAGS flags, DEBUG_MODE mode, DEBUG_CALLBACK callback, string filename);
#endregion
}
public class HandleBase
{
public HandleBase(IntPtr newPtr)
{
rawPtr = newPtr;
}
public bool isValid()
{
return rawPtr != IntPtr.Zero;
}
public IntPtr getRaw()
{
return rawPtr;
}
protected IntPtr rawPtr;
#region equality
public override bool Equals(Object obj)
{
return Equals(obj as HandleBase);
}
public bool Equals(HandleBase p)
{
// Equals if p not null and handle is the same
return ((object)p != null && rawPtr == p.rawPtr);
}
public override int GetHashCode()
{
return rawPtr.ToInt32();
}
public static bool operator ==(HandleBase a, HandleBase b)
{
// If both are null, or both are same instance, return true.
if (Object.ReferenceEquals(a, b))
{
return true;
}
// If one is null, but not both, return false.
if (((object)a == null) || ((object)b == null))
{
return false;
}
// Return true if the handle matches
return (a.rawPtr == b.rawPtr);
}
public static bool operator !=(HandleBase a, HandleBase b)
{
return !(a == b);
}
#endregion
}
/*
'System' API.
*/
public class System : HandleBase
{
public RESULT release ()
{
RESULT result = FMOD_System_Release(rawPtr);
if (result == RESULT.OK)
{
rawPtr = IntPtr.Zero;
}
return result;
}
// Pre-init functions.
public RESULT setOutput (OUTPUTTYPE output)
{
return FMOD_System_SetOutput(rawPtr, output);
}
public RESULT getOutput (out OUTPUTTYPE output)
{
return FMOD_System_GetOutput(rawPtr, out output);
}
public RESULT getNumDrivers (out int numdrivers)
{
return FMOD_System_GetNumDrivers(rawPtr, out numdrivers);
}
public RESULT getDriverInfo (int id, StringBuilder name, int namelen, out GUID guid, out int systemrate, out SPEAKERMODE speakermode, out int speakermodechannels)
{
IntPtr stringMem = Marshal.AllocHGlobal(name.Capacity);
RESULT result = FMOD_System_GetDriverInfo(rawPtr, id, stringMem, namelen, out guid, out systemrate, out speakermode, out speakermodechannels);
StringMarshalHelper.NativeToBuilder(name, stringMem);
Marshal.FreeHGlobal(stringMem);
return result;
}
public RESULT setDriver (int driver)
{
return FMOD_System_SetDriver(rawPtr, driver);
}
public RESULT getDriver (out int driver)
{
return FMOD_System_GetDriver(rawPtr, out driver);
}
public RESULT setSoftwareChannels (int numsoftwarechannels)
{
return FMOD_System_SetSoftwareChannels(rawPtr, numsoftwarechannels);
}
public RESULT getSoftwareChannels (out int numsoftwarechannels)
{
return FMOD_System_GetSoftwareChannels(rawPtr, out numsoftwarechannels);
}
public RESULT setSoftwareFormat (int samplerate, SPEAKERMODE speakermode, int numrawspeakers)
{
return FMOD_System_SetSoftwareFormat(rawPtr, samplerate, speakermode, numrawspeakers);
}
public RESULT getSoftwareFormat (out int samplerate, out SPEAKERMODE speakermode, out int numrawspeakers)
{
return FMOD_System_GetSoftwareFormat(rawPtr, out samplerate, out speakermode, out numrawspeakers);
}
public RESULT setDSPBufferSize (uint bufferlength, int numbuffers)
{
return FMOD_System_SetDSPBufferSize(rawPtr, bufferlength, numbuffers);
}
public RESULT getDSPBufferSize (out uint bufferlength, out int numbuffers)
{
return FMOD_System_GetDSPBufferSize(rawPtr, out bufferlength, out numbuffers);
}
public RESULT setFileSystem (FILE_OPENCALLBACK useropen, FILE_CLOSECALLBACK userclose, FILE_READCALLBACK userread, FILE_SEEKCALLBACK userseek, FILE_ASYNCREADCALLBACK userasyncread, FILE_ASYNCCANCELCALLBACK userasynccancel, int blockalign)
{
return FMOD_System_SetFileSystem(rawPtr, useropen, userclose, userread, userseek, userasyncread, userasynccancel, blockalign);
}
public RESULT attachFileSystem (FILE_OPENCALLBACK useropen, FILE_CLOSECALLBACK userclose, FILE_READCALLBACK userread, FILE_SEEKCALLBACK userseek)
{
return FMOD_System_AttachFileSystem(rawPtr, useropen, userclose, userread, userseek);
}
public RESULT setAdvancedSettings (ref ADVANCEDSETTINGS settings)
{
settings.cbSize = Marshal.SizeOf(settings);
return FMOD_System_SetAdvancedSettings(rawPtr, ref settings);
}
public RESULT getAdvancedSettings (ref ADVANCEDSETTINGS settings)
{
settings.cbSize = Marshal.SizeOf(settings);
return FMOD_System_GetAdvancedSettings(rawPtr, ref settings);
}
public RESULT setCallback (SYSTEM_CALLBACK callback, SYSTEM_CALLBACK_TYPE callbackmask)
{
return FMOD_System_SetCallback(rawPtr, callback, callbackmask);
}
// Plug-in support.
public RESULT setPluginPath (string path)
{
return FMOD_System_SetPluginPath(rawPtr, Encoding.UTF8.GetBytes(path + Char.MinValue));
}
public RESULT loadPlugin (string filename, out uint handle, uint priority)
{
return FMOD_System_LoadPlugin(rawPtr, Encoding.UTF8.GetBytes(filename + Char.MinValue), out handle, priority);
}
public RESULT loadPlugin (string filename, out uint handle)
{
return loadPlugin(filename, out handle, 0);
}
public RESULT unloadPlugin (uint handle)
{
return FMOD_System_UnloadPlugin(rawPtr, handle);
}
public RESULT getNumPlugins (PLUGINTYPE plugintype, out int numplugins)
{
return FMOD_System_GetNumPlugins(rawPtr, plugintype, out numplugins);
}
public RESULT getPluginHandle (PLUGINTYPE plugintype, int index, out uint handle)
{
return FMOD_System_GetPluginHandle(rawPtr, plugintype, index, out handle);
}
public RESULT getPluginInfo (uint handle, out PLUGINTYPE plugintype, StringBuilder name, int namelen, out uint version)
{
IntPtr stringMem = Marshal.AllocHGlobal(name.Capacity);
RESULT result = FMOD_System_GetPluginInfo(rawPtr, handle, out plugintype, stringMem, namelen, out version);
StringMarshalHelper.NativeToBuilder(name, stringMem);
Marshal.FreeHGlobal(stringMem);
return result;
}
public RESULT setOutputByPlugin (uint handle)
{
return FMOD_System_SetOutputByPlugin(rawPtr, handle);
}
public RESULT getOutputByPlugin (out uint handle)
{
return FMOD_System_GetOutputByPlugin(rawPtr, out handle);
}
public RESULT createDSPByPlugin(uint handle, out DSP dsp)
{
dsp = null;
IntPtr dspraw;
RESULT result = FMOD_System_CreateDSPByPlugin(rawPtr, handle, out dspraw);
dsp = new DSP(dspraw);
return result;
}
public RESULT getDSPInfoByPlugin(uint handle, out IntPtr description)
{
return FMOD_System_GetDSPInfoByPlugin(rawPtr, handle, out description);
}
/*
public RESULT registerCodec(ref CODEC_DESCRIPTION description, out uint handle, uint priority)
{
return FMOD_System_RegisterCodec(rawPtr, ref description, out handle, priority);
}
*/
public RESULT registerDSP(ref DSP_DESCRIPTION description, out uint handle)
{
return FMOD_System_RegisterDSP(rawPtr, ref description, out handle);
}
/*
public RESULT registerOutput(ref OUTPUT_DESCRIPTION description, out uint handle)
{
return FMOD_System_RegisterOutput(rawPtr, ref description, out handle);
}
*/
// Init/Close.
public RESULT init (int maxchannels, INITFLAGS flags, IntPtr extradriverdata)
{
return FMOD_System_Init(rawPtr, maxchannels, flags, extradriverdata);
}
public RESULT close ()
{
return FMOD_System_Close(rawPtr);
}
// General post-init system functions.
public RESULT update ()
{
return FMOD_System_Update(rawPtr);
}
public RESULT setSpeakerPosition(SPEAKER speaker, float x, float y, bool active)
{
return FMOD_System_SetSpeakerPosition(rawPtr, speaker, x, y, active);
}
public RESULT getSpeakerPosition(SPEAKER speaker, out float x, out float y, out bool active)
{
return FMOD_System_GetSpeakerPosition(rawPtr, speaker, out x, out y, out active);
}
public RESULT setStreamBufferSize(uint filebuffersize, TIMEUNIT filebuffersizetype)
{
return FMOD_System_SetStreamBufferSize(rawPtr, filebuffersize, filebuffersizetype);
}
public RESULT getStreamBufferSize(out uint filebuffersize, out TIMEUNIT filebuffersizetype)
{
return FMOD_System_GetStreamBufferSize(rawPtr, out filebuffersize, out filebuffersizetype);
}
public RESULT set3DSettings (float dopplerscale, float distancefactor, float rolloffscale)
{
return FMOD_System_Set3DSettings(rawPtr, dopplerscale, distancefactor, rolloffscale);
}
public RESULT get3DSettings (out float dopplerscale, out float distancefactor, out float rolloffscale)
{
return FMOD_System_Get3DSettings(rawPtr, out dopplerscale, out distancefactor, out rolloffscale);
}
public RESULT set3DNumListeners (int numlisteners)
{
return FMOD_System_Set3DNumListeners(rawPtr, numlisteners);
}
public RESULT get3DNumListeners (out int numlisteners)
{
return FMOD_System_Get3DNumListeners(rawPtr, out numlisteners);
}
public RESULT set3DListenerAttributes(int listener, ref VECTOR pos, ref VECTOR vel, ref VECTOR forward, ref VECTOR up)
{
return FMOD_System_Set3DListenerAttributes(rawPtr, listener, ref pos, ref vel, ref forward, ref up);
}
public RESULT get3DListenerAttributes(int listener, out VECTOR pos, out VECTOR vel, out VECTOR forward, out VECTOR up)
{
return FMOD_System_Get3DListenerAttributes(rawPtr, listener, out pos, out vel, out forward, out up);
}
public RESULT set3DRolloffCallback (CB_3D_ROLLOFFCALLBACK callback)
{
return FMOD_System_Set3DRolloffCallback (rawPtr, callback);
}
public RESULT mixerSuspend ()
{
return FMOD_System_MixerSuspend(rawPtr);
}
public RESULT mixerResume ()
{
return FMOD_System_MixerResume(rawPtr);
}
// System information functions.
public RESULT getVersion (out uint version)
{
return FMOD_System_GetVersion(rawPtr, out version);
}
public RESULT getOutputHandle (out IntPtr handle)
{
return FMOD_System_GetOutputHandle(rawPtr, out handle);
}
public RESULT getChannelsPlaying (out int channels)
{
return FMOD_System_GetChannelsPlaying(rawPtr, out channels);
}
public RESULT getCPUUsage (out float dsp, out float stream, out float geometry, out float update, out float total)
{
return FMOD_System_GetCPUUsage(rawPtr, out dsp, out stream, out geometry, out update, out total);
}
public RESULT getSoundRAM (out int currentalloced, out int maxalloced, out int total)
{
return FMOD_System_GetSoundRAM(rawPtr, out currentalloced, out maxalloced, out total);
}
// Sound/DSP/Channel/FX creation and retrieval.
public RESULT createSound (string name, MODE mode, ref CREATESOUNDEXINFO exinfo, out Sound sound)
{
sound = null;
byte[] stringData;
stringData = Encoding.UTF8.GetBytes(name + Char.MinValue);
exinfo.cbsize = Marshal.SizeOf(exinfo);
IntPtr soundraw;
RESULT result = FMOD_System_CreateSound(rawPtr, stringData, mode, ref exinfo, out soundraw);
sound = new Sound(soundraw);
return result;
}
public RESULT createSound (byte[] data, MODE mode, ref CREATESOUNDEXINFO exinfo, out Sound sound)
{
sound = null;
exinfo.cbsize = Marshal.SizeOf(exinfo);
IntPtr soundraw;
RESULT result = FMOD_System_CreateSound(rawPtr, data, mode, ref exinfo, out soundraw);
sound = new Sound(soundraw);
return result;
}
public RESULT createSound (string name, MODE mode, out Sound sound)
{
CREATESOUNDEXINFO exinfo = new CREATESOUNDEXINFO();
exinfo.cbsize = Marshal.SizeOf(exinfo);
return createSound(name, mode, ref exinfo, out sound);
}
public RESULT createStream (string name, MODE mode, ref CREATESOUNDEXINFO exinfo, out Sound sound)
{
sound = null;
byte[] stringData;
stringData = Encoding.UTF8.GetBytes(name + Char.MinValue);
exinfo.cbsize = Marshal.SizeOf(exinfo);
IntPtr soundraw;
RESULT result = FMOD_System_CreateStream(rawPtr, stringData, mode, ref exinfo, out soundraw);
sound = new Sound(soundraw);
return result;
}
public RESULT createStream (byte[] data, MODE mode, ref CREATESOUNDEXINFO exinfo, out Sound sound)
{
sound = null;
exinfo.cbsize = Marshal.SizeOf(exinfo);
IntPtr soundraw;
RESULT result = FMOD_System_CreateStream(rawPtr, data, mode, ref exinfo, out soundraw);
sound = new Sound(soundraw);
return result;
}
public RESULT createStream (string name, MODE mode, out Sound sound)
{
CREATESOUNDEXINFO exinfo = new CREATESOUNDEXINFO();
exinfo.cbsize = Marshal.SizeOf(exinfo);
return createStream(name, mode, ref exinfo, out sound);
}
public RESULT createDSP (ref DSP_DESCRIPTION description, out DSP dsp)
{
dsp = null;
IntPtr dspraw;
RESULT result = FMOD_System_CreateDSP(rawPtr, ref description, out dspraw);
dsp = new DSP(dspraw);
return result;
}
public RESULT createDSPByType (DSP_TYPE type, out DSP dsp)
{
dsp = null;
IntPtr dspraw;
RESULT result = FMOD_System_CreateDSPByType(rawPtr, type, out dspraw);
dsp = new DSP(dspraw);
return result;
}
public RESULT createChannelGroup (string name, out ChannelGroup channelgroup)
{
channelgroup = null;
byte[] stringData = Encoding.UTF8.GetBytes(name + Char.MinValue);
IntPtr channelgroupraw;
RESULT result = FMOD_System_CreateChannelGroup(rawPtr, stringData, out channelgroupraw);
channelgroup = new ChannelGroup(channelgroupraw);
return result;
}
public RESULT createSoundGroup (string name, out SoundGroup soundgroup)
{
soundgroup = null;
byte[] stringData = Encoding.UTF8.GetBytes(name + Char.MinValue);
IntPtr soundgroupraw;
RESULT result = FMOD_System_CreateSoundGroup(rawPtr, stringData, out soundgroupraw);
soundgroup = new SoundGroup(soundgroupraw);
return result;
}
public RESULT createReverb3D (out Reverb3D reverb)
{
IntPtr reverbraw;
RESULT result = FMOD_System_CreateReverb3D(rawPtr, out reverbraw);
reverb = new Reverb3D(reverbraw);
return result;
}
public RESULT playSound (Sound sound, ChannelGroup channelGroup, bool paused, out Channel channel)
{
channel = null;
IntPtr channelGroupRaw = (channelGroup != null) ? channelGroup.getRaw() : IntPtr.Zero;
IntPtr channelraw;
RESULT result = FMOD_System_PlaySound(rawPtr, sound.getRaw(), channelGroupRaw, paused, out channelraw);
channel = new Channel(channelraw);
return result;
}
public RESULT playDSP (DSP dsp, ChannelGroup channelGroup, bool paused, out Channel channel)
{
channel = null;
IntPtr channelGroupRaw = (channelGroup != null) ? channelGroup.getRaw() : IntPtr.Zero;
IntPtr channelraw;
RESULT result = FMOD_System_PlayDSP(rawPtr, dsp.getRaw(), channelGroupRaw, paused, out channelraw);
channel = new Channel(channelraw);
return result;
}
public RESULT getChannel (int channelid, out Channel channel)
{
channel = null;
IntPtr channelraw;
RESULT result = FMOD_System_GetChannel(rawPtr, channelid, out channelraw);
channel = new Channel(channelraw);
return result;
}
public RESULT getMasterChannelGroup (out ChannelGroup channelgroup)
{
channelgroup = null;
IntPtr channelgroupraw;
RESULT result = FMOD_System_GetMasterChannelGroup(rawPtr, out channelgroupraw);
channelgroup = new ChannelGroup(channelgroupraw);
return result;
}
public RESULT getMasterSoundGroup (out SoundGroup soundgroup)
{
soundgroup = null;
IntPtr soundgroupraw;
RESULT result = FMOD_System_GetMasterSoundGroup(rawPtr, out soundgroupraw);
soundgroup = new SoundGroup(soundgroupraw);
return result;
}
// Routing to ports.
public RESULT attachChannelGroupToPort(uint portType, ulong portIndex, ChannelGroup channelgroup)
{
return FMOD_System_AttachChannelGroupToPort(rawPtr, portType, portIndex, channelgroup.getRaw());
}
public RESULT detachChannelGroupFromPort(ChannelGroup channelgroup)
{
return FMOD_System_DetachChannelGroupFromPort(rawPtr, channelgroup.getRaw());
}
// Reverb api.
public RESULT setReverbProperties (int instance, ref REVERB_PROPERTIES prop)
{
return FMOD_System_SetReverbProperties(rawPtr, instance, ref prop);
}
public RESULT getReverbProperties (int instance, out REVERB_PROPERTIES prop)
{
return FMOD_System_GetReverbProperties(rawPtr, instance, out prop);
}
// System level DSP functionality.
public RESULT lockDSP ()
{
return FMOD_System_LockDSP(rawPtr);
}
public RESULT unlockDSP ()
{
return FMOD_System_UnlockDSP(rawPtr);
}
// Recording api
public RESULT getRecordNumDrivers (out int numdrivers)
{
return FMOD_System_GetRecordNumDrivers(rawPtr, out numdrivers);
}
public RESULT getRecordDriverInfo(int id, StringBuilder name, int namelen, out GUID guid, out int systemrate, out SPEAKERMODE speakermode, out int speakermodechannels)
{
IntPtr stringMem = Marshal.AllocHGlobal(name.Capacity);
RESULT result = FMOD_System_GetRecordDriverInfo(rawPtr, id, stringMem, namelen, out guid, out systemrate, out speakermode, out speakermodechannels);
StringMarshalHelper.NativeToBuilder(name, stringMem);
Marshal.FreeHGlobal(stringMem);
return result;
}
public RESULT getRecordPosition (int id, out uint position)
{
return FMOD_System_GetRecordPosition(rawPtr, id, out position);
}
public RESULT recordStart (int id, Sound sound, bool loop)
{
return FMOD_System_RecordStart(rawPtr, id, sound.getRaw(), loop);
}
public RESULT recordStop (int id)
{
return FMOD_System_RecordStop(rawPtr, id);
}
public RESULT isRecording (int id, out bool recording)
{
return FMOD_System_IsRecording(rawPtr, id, out recording);
}
// Geometry api
public RESULT createGeometry (int maxpolygons, int maxvertices, out Geometry geometry)
{
geometry = null;
IntPtr geometryraw;
RESULT result = FMOD_System_CreateGeometry(rawPtr, maxpolygons, maxvertices, out geometryraw);
geometry = new Geometry(geometryraw);
return result;
}
public RESULT setGeometrySettings (float maxworldsize)
{
return FMOD_System_SetGeometrySettings(rawPtr, maxworldsize);
}
public RESULT getGeometrySettings (out float maxworldsize)
{
return FMOD_System_GetGeometrySettings(rawPtr, out maxworldsize);
}
public RESULT loadGeometry(IntPtr data, int datasize, out Geometry geometry)
{
geometry = null;
IntPtr geometryraw;
RESULT result = FMOD_System_LoadGeometry(rawPtr, data, datasize, out geometryraw);
geometry = new Geometry(geometryraw);
return result;
}
public RESULT getGeometryOcclusion (ref VECTOR listener, ref VECTOR source, out float direct, out float reverb)
{
return FMOD_System_GetGeometryOcclusion(rawPtr, ref listener, ref source, out direct, out reverb);
}
// Network functions
public RESULT setNetworkProxy (string proxy)
{
return FMOD_System_SetNetworkProxy(rawPtr, Encoding.UTF8.GetBytes(proxy + Char.MinValue));
}
public RESULT getNetworkProxy (StringBuilder proxy, int proxylen)
{
IntPtr stringMem = Marshal.AllocHGlobal(proxy.Capacity);
RESULT result = FMOD_System_GetNetworkProxy(rawPtr, stringMem, proxylen);
StringMarshalHelper.NativeToBuilder(proxy, stringMem);
Marshal.FreeHGlobal(stringMem);
return result;
}
public RESULT setNetworkTimeout (int timeout)
{
return FMOD_System_SetNetworkTimeout(rawPtr, timeout);
}
public RESULT getNetworkTimeout(out int timeout)
{
return FMOD_System_GetNetworkTimeout(rawPtr, out timeout);
}
// Userdata set/get
public RESULT setUserData (IntPtr userdata)
{
return FMOD_System_SetUserData(rawPtr, userdata);
}
public RESULT getUserData (out IntPtr userdata)
{
return FMOD_System_GetUserData(rawPtr, out userdata);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Release (IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetOutput (IntPtr system, OUTPUTTYPE output);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetOutput (IntPtr system, out OUTPUTTYPE output);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetNumDrivers (IntPtr system, out int numdrivers);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetDriverInfo (IntPtr system, int id, IntPtr name, int namelen, out GUID guid, out int systemrate, out SPEAKERMODE speakermode, out int speakermodechannels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetDriver (IntPtr system, int driver);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetDriver (IntPtr system, out int driver);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetSoftwareChannels (IntPtr system, int numsoftwarechannels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetSoftwareChannels (IntPtr system, out int numsoftwarechannels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetSoftwareFormat (IntPtr system, int samplerate, SPEAKERMODE speakermode, int numrawspeakers);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetSoftwareFormat (IntPtr system, out int samplerate, out SPEAKERMODE speakermode, out int numrawspeakers);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetDSPBufferSize (IntPtr system, uint bufferlength, int numbuffers);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetDSPBufferSize (IntPtr system, out uint bufferlength, out int numbuffers);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetFileSystem (IntPtr system, FILE_OPENCALLBACK useropen, FILE_CLOSECALLBACK userclose, FILE_READCALLBACK userread, FILE_SEEKCALLBACK userseek, FILE_ASYNCREADCALLBACK userasyncread, FILE_ASYNCCANCELCALLBACK userasynccancel, int blockalign);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_AttachFileSystem (IntPtr system, FILE_OPENCALLBACK useropen, FILE_CLOSECALLBACK userclose, FILE_READCALLBACK userread, FILE_SEEKCALLBACK userseek);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetPluginPath (IntPtr system, byte[] path);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_LoadPlugin (IntPtr system, byte[] filename, out uint handle, uint priority);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_UnloadPlugin (IntPtr system, uint handle);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetNumPlugins (IntPtr system, PLUGINTYPE plugintype, out int numplugins);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetPluginHandle (IntPtr system, PLUGINTYPE plugintype, int index, out uint handle);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetPluginInfo (IntPtr system, uint handle, out PLUGINTYPE plugintype, IntPtr name, int namelen, out uint version);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateDSPByPlugin (IntPtr system, uint handle, out IntPtr dsp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetOutputByPlugin (IntPtr system, uint handle);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetOutputByPlugin (IntPtr system, out uint handle);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetDSPInfoByPlugin (IntPtr system, uint handle, out IntPtr description);
[DllImport(VERSION.dll)]
//private static extern RESULT FMOD_System_RegisterCodec (IntPtr system, out CODEC_DESCRIPTION description, out uint handle, uint priority);
//[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_RegisterDSP (IntPtr system, ref DSP_DESCRIPTION description, out uint handle);
[DllImport(VERSION.dll)]
//private static extern RESULT FMOD_System_RegisterOutput (IntPtr system, ref OUTPUT_DESCRIPTION description, out uint handle);
//[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Init (IntPtr system, int maxchannels, INITFLAGS flags, IntPtr extradriverdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Close (IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Update (IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetAdvancedSettings (IntPtr system, ref ADVANCEDSETTINGS settings);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetAdvancedSettings (IntPtr system, ref ADVANCEDSETTINGS settings);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Set3DRolloffCallback (IntPtr system, CB_3D_ROLLOFFCALLBACK callback);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_MixerSuspend (IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_MixerResume (IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetCallback (IntPtr system, SYSTEM_CALLBACK callback, SYSTEM_CALLBACK_TYPE callbackmask);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetSpeakerPosition (IntPtr system, SPEAKER speaker, float x, float y, bool active);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetSpeakerPosition (IntPtr system, SPEAKER speaker, out float x, out float y, out bool active);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Set3DSettings (IntPtr system, float dopplerscale, float distancefactor, float rolloffscale);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Get3DSettings (IntPtr system, out float dopplerscale, out float distancefactor, out float rolloffscale);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Set3DNumListeners (IntPtr system, int numlisteners);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Get3DNumListeners (IntPtr system, out int numlisteners);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Set3DListenerAttributes(IntPtr system, int listener, ref VECTOR pos, ref VECTOR vel, ref VECTOR forward, ref VECTOR up);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_Get3DListenerAttributes(IntPtr system, int listener, out VECTOR pos, out VECTOR vel, out VECTOR forward, out VECTOR up);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetStreamBufferSize (IntPtr system, uint filebuffersize, TIMEUNIT filebuffersizetype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetStreamBufferSize (IntPtr system, out uint filebuffersize, out TIMEUNIT filebuffersizetype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetVersion (IntPtr system, out uint version);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetOutputHandle (IntPtr system, out IntPtr handle);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetChannelsPlaying (IntPtr system, out int channels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetCPUUsage (IntPtr system, out float dsp, out float stream, out float geometry, out float update, out float total);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetSoundRAM (IntPtr system, out int currentalloced, out int maxalloced, out int total);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateSound (IntPtr system, byte[] name_or_data, MODE mode, ref CREATESOUNDEXINFO exinfo, out IntPtr sound);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateStream (IntPtr system, byte[] name_or_data, MODE mode, ref CREATESOUNDEXINFO exinfo, out IntPtr sound);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateDSP (IntPtr system, ref DSP_DESCRIPTION description, out IntPtr dsp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateDSPByType (IntPtr system, DSP_TYPE type, out IntPtr dsp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateChannelGroup (IntPtr system, byte[] name, out IntPtr channelgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateSoundGroup (IntPtr system, byte[] name, out IntPtr soundgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateReverb3D (IntPtr system, out IntPtr reverb);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_PlaySound (IntPtr system, IntPtr sound, IntPtr channelGroup, bool paused, out IntPtr channel);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_PlayDSP (IntPtr system, IntPtr dsp, IntPtr channelGroup, bool paused, out IntPtr channel);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetChannel (IntPtr system, int channelid, out IntPtr channel);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetMasterChannelGroup (IntPtr system, out IntPtr channelgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetMasterSoundGroup (IntPtr system, out IntPtr soundgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_AttachChannelGroupToPort (IntPtr system, uint portType, ulong portIndex, IntPtr channelgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_DetachChannelGroupFromPort(IntPtr system, IntPtr channelgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetReverbProperties (IntPtr system, int instance, ref REVERB_PROPERTIES prop);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetReverbProperties (IntPtr system, int instance, out REVERB_PROPERTIES prop);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_LockDSP (IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_UnlockDSP (IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetRecordNumDrivers (IntPtr system, out int numdrivers);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetRecordDriverInfo (IntPtr system, int id, IntPtr name, int namelen, out GUID guid, out int systemrate, out SPEAKERMODE speakermode, out int speakermodechannels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetRecordPosition (IntPtr system, int id, out uint position);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_RecordStart (IntPtr system, int id, IntPtr sound, bool loop);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_RecordStop (IntPtr system, int id);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_IsRecording (IntPtr system, int id, out bool recording);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_CreateGeometry (IntPtr system, int maxpolygons, int maxvertices, out IntPtr geometry);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetGeometrySettings (IntPtr system, float maxworldsize);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetGeometrySettings (IntPtr system, out float maxworldsize);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_LoadGeometry (IntPtr system, IntPtr data, int datasize, out IntPtr geometry);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetGeometryOcclusion (IntPtr system, ref VECTOR listener, ref VECTOR source, out float direct, out float reverb);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetNetworkProxy (IntPtr system, byte[] proxy);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetNetworkProxy (IntPtr system, IntPtr proxy, int proxylen);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetNetworkTimeout (IntPtr system, int timeout);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetNetworkTimeout (IntPtr system, out int timeout);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_SetUserData (IntPtr system, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_System_GetUserData (IntPtr system, out IntPtr userdata);
#endregion
#region wrapperinternal
public System(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'Sound' API.
*/
public class Sound : HandleBase
{
public RESULT release ()
{
RESULT result = FMOD_Sound_Release(rawPtr);
if (result == RESULT.OK)
{
rawPtr = IntPtr.Zero;
}
return result;
}
public RESULT getSystemObject (out System system)
{
system = null;
IntPtr systemraw;
RESULT result = FMOD_Sound_GetSystemObject(rawPtr, out systemraw);
system = new System(systemraw);
return result;
}
// Standard sound manipulation functions.
public RESULT @lock (uint offset, uint length, out IntPtr ptr1, out IntPtr ptr2, out uint len1, out uint len2)
{
return FMOD_Sound_Lock(rawPtr, offset, length, out ptr1, out ptr2, out len1, out len2);
}
public RESULT unlock (IntPtr ptr1, IntPtr ptr2, uint len1, uint len2)
{
return FMOD_Sound_Unlock(rawPtr, ptr1, ptr2, len1, len2);
}
public RESULT setDefaults (float frequency, int priority)
{
return FMOD_Sound_SetDefaults(rawPtr, frequency, priority);
}
public RESULT getDefaults (out float frequency, out int priority)
{
return FMOD_Sound_GetDefaults(rawPtr, out frequency, out priority);
}
public RESULT set3DMinMaxDistance (float min, float max)
{
return FMOD_Sound_Set3DMinMaxDistance(rawPtr, min, max);
}
public RESULT get3DMinMaxDistance (out float min, out float max)
{
return FMOD_Sound_Get3DMinMaxDistance(rawPtr, out min, out max);
}
public RESULT set3DConeSettings (float insideconeangle, float outsideconeangle, float outsidevolume)
{
return FMOD_Sound_Set3DConeSettings(rawPtr, insideconeangle, outsideconeangle, outsidevolume);
}
public RESULT get3DConeSettings (out float insideconeangle, out float outsideconeangle, out float outsidevolume)
{
return FMOD_Sound_Get3DConeSettings(rawPtr, out insideconeangle, out outsideconeangle, out outsidevolume);
}
public RESULT set3DCustomRolloff (ref VECTOR points, int numpoints)
{
return FMOD_Sound_Set3DCustomRolloff(rawPtr, ref points, numpoints);
}
public RESULT get3DCustomRolloff (out IntPtr points, out int numpoints)
{
return FMOD_Sound_Get3DCustomRolloff(rawPtr, out points, out numpoints);
}
public RESULT setSubSound (int index, Sound subsound)
{
IntPtr subsoundraw = subsound.getRaw();
return FMOD_Sound_SetSubSound(rawPtr, index, subsoundraw);
}
public RESULT getSubSound (int index, out Sound subsound)
{
subsound = null;
IntPtr subsoundraw;
RESULT result = FMOD_Sound_GetSubSound(rawPtr, index, out subsoundraw);
subsound = new Sound(subsoundraw);
return result;
}
public RESULT getSubSoundParent(out Sound parentsound)
{
parentsound = null;
IntPtr subsoundraw;
RESULT result = FMOD_Sound_GetSubSoundParent(rawPtr, out subsoundraw);
parentsound = new Sound(subsoundraw);
return result;
}
public RESULT getName (StringBuilder name, int namelen)
{
IntPtr stringMem = Marshal.AllocHGlobal(name.Capacity);
RESULT result = FMOD_Sound_GetName(rawPtr, stringMem, namelen);
StringMarshalHelper.NativeToBuilder(name, stringMem);
Marshal.FreeHGlobal(stringMem);
return result;
}
public RESULT getLength (out uint length, TIMEUNIT lengthtype)
{
return FMOD_Sound_GetLength(rawPtr, out length, lengthtype);
}
public RESULT getFormat (out SOUND_TYPE type, out SOUND_FORMAT format, out int channels, out int bits)
{
return FMOD_Sound_GetFormat(rawPtr, out type, out format, out channels, out bits);
}
public RESULT getNumSubSounds (out int numsubsounds)
{
return FMOD_Sound_GetNumSubSounds(rawPtr, out numsubsounds);
}
public RESULT getNumTags (out int numtags, out int numtagsupdated)
{
return FMOD_Sound_GetNumTags(rawPtr, out numtags, out numtagsupdated);
}
public RESULT getTag (string name, int index, out TAG tag)
{
return FMOD_Sound_GetTag(rawPtr, name, index, out tag);
}
public RESULT getOpenState (out OPENSTATE openstate, out uint percentbuffered, out bool starving, out bool diskbusy)
{
return FMOD_Sound_GetOpenState(rawPtr, out openstate, out percentbuffered, out starving, out diskbusy);
}
public RESULT readData (IntPtr buffer, uint lenbytes, out uint read)
{
return FMOD_Sound_ReadData(rawPtr, buffer, lenbytes, out read);
}
public RESULT seekData (uint pcm)
{
return FMOD_Sound_SeekData(rawPtr, pcm);
}
public RESULT setSoundGroup (SoundGroup soundgroup)
{
return FMOD_Sound_SetSoundGroup(rawPtr, soundgroup.getRaw());
}
public RESULT getSoundGroup (out SoundGroup soundgroup)
{
soundgroup = null;
IntPtr soundgroupraw;
RESULT result = FMOD_Sound_GetSoundGroup(rawPtr, out soundgroupraw);
soundgroup = new SoundGroup(soundgroupraw);
return result;
}
// Synchronization point API. These points can come from markers embedded in wav files, and can also generate channel callbacks.
public RESULT getNumSyncPoints (out int numsyncpoints)
{
return FMOD_Sound_GetNumSyncPoints(rawPtr, out numsyncpoints);
}
public RESULT getSyncPoint (int index, out IntPtr point)
{
return FMOD_Sound_GetSyncPoint(rawPtr, index, out point);
}
public RESULT getSyncPointInfo (IntPtr point, StringBuilder name, int namelen, out uint offset, TIMEUNIT offsettype)
{
IntPtr stringMem = Marshal.AllocHGlobal(name.Capacity);
RESULT result = FMOD_Sound_GetSyncPointInfo(rawPtr, point, stringMem, namelen, out offset, offsettype);
StringMarshalHelper.NativeToBuilder(name, stringMem);
Marshal.FreeHGlobal(stringMem);
return result;
}
public RESULT addSyncPoint (uint offset, TIMEUNIT offsettype, string name, out IntPtr point)
{
return FMOD_Sound_AddSyncPoint(rawPtr, offset, offsettype, name, out point);
}
public RESULT deleteSyncPoint (IntPtr point)
{
return FMOD_Sound_DeleteSyncPoint(rawPtr, point);
}
// Functions also in Channel class but here they are the 'default' to save having to change it in Channel all the time.
public RESULT setMode (MODE mode)
{
return FMOD_Sound_SetMode(rawPtr, mode);
}
public RESULT getMode (out MODE mode)
{
return FMOD_Sound_GetMode(rawPtr, out mode);
}
public RESULT setLoopCount (int loopcount)
{
return FMOD_Sound_SetLoopCount(rawPtr, loopcount);
}
public RESULT getLoopCount (out int loopcount)
{
return FMOD_Sound_GetLoopCount(rawPtr, out loopcount);
}
public RESULT setLoopPoints (uint loopstart, TIMEUNIT loopstarttype, uint loopend, TIMEUNIT loopendtype)
{
return FMOD_Sound_SetLoopPoints(rawPtr, loopstart, loopstarttype, loopend, loopendtype);
}
public RESULT getLoopPoints (out uint loopstart, TIMEUNIT loopstarttype, out uint loopend, TIMEUNIT loopendtype)
{
return FMOD_Sound_GetLoopPoints(rawPtr, out loopstart, loopstarttype, out loopend, loopendtype);
}
// For MOD/S3M/XM/IT/MID sequenced formats only.
public RESULT getMusicNumChannels (out int numchannels)
{
return FMOD_Sound_GetMusicNumChannels(rawPtr, out numchannels);
}
public RESULT setMusicChannelVolume (int channel, float volume)
{
return FMOD_Sound_SetMusicChannelVolume(rawPtr, channel, volume);
}
public RESULT getMusicChannelVolume (int channel, out float volume)
{
return FMOD_Sound_GetMusicChannelVolume(rawPtr, channel, out volume);
}
public RESULT setMusicSpeed(float speed)
{
return FMOD_Sound_SetMusicSpeed(rawPtr, speed);
}
public RESULT getMusicSpeed(out float speed)
{
return FMOD_Sound_GetMusicSpeed(rawPtr, out speed);
}
// Userdata set/get.
public RESULT setUserData (IntPtr userdata)
{
return FMOD_Sound_SetUserData(rawPtr, userdata);
}
public RESULT getUserData (out IntPtr userdata)
{
return FMOD_Sound_GetUserData(rawPtr, out userdata);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Release (IntPtr sound);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetSystemObject (IntPtr sound, out IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Lock (IntPtr sound, uint offset, uint length, out IntPtr ptr1, out IntPtr ptr2, out uint len1, out uint len2);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Unlock (IntPtr sound, IntPtr ptr1, IntPtr ptr2, uint len1, uint len2);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetDefaults (IntPtr sound, float frequency, int priority);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetDefaults (IntPtr sound, out float frequency, out int priority);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Set3DMinMaxDistance (IntPtr sound, float min, float max);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Get3DMinMaxDistance (IntPtr sound, out float min, out float max);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Set3DConeSettings (IntPtr sound, float insideconeangle, float outsideconeangle, float outsidevolume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Get3DConeSettings (IntPtr sound, out float insideconeangle, out float outsideconeangle, out float outsidevolume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Set3DCustomRolloff (IntPtr sound, ref VECTOR points, int numpoints);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_Get3DCustomRolloff (IntPtr sound, out IntPtr points, out int numpoints);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetSubSound (IntPtr sound, int index, IntPtr subsound);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetSubSound (IntPtr sound, int index, out IntPtr subsound);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetSubSoundParent (IntPtr sound, out IntPtr parentsound);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetName (IntPtr sound, IntPtr name, int namelen);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetLength (IntPtr sound, out uint length, TIMEUNIT lengthtype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetFormat (IntPtr sound, out SOUND_TYPE type, out SOUND_FORMAT format, out int channels, out int bits);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetNumSubSounds (IntPtr sound, out int numsubsounds);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetNumTags (IntPtr sound, out int numtags, out int numtagsupdated);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetTag (IntPtr sound, string name, int index, out TAG tag);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetOpenState (IntPtr sound, out OPENSTATE openstate, out uint percentbuffered, out bool starving, out bool diskbusy);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_ReadData (IntPtr sound, IntPtr buffer, uint lenbytes, out uint read);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SeekData (IntPtr sound, uint pcm);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetSoundGroup (IntPtr sound, IntPtr soundgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetSoundGroup (IntPtr sound, out IntPtr soundgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetNumSyncPoints (IntPtr sound, out int numsyncpoints);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetSyncPoint (IntPtr sound, int index, out IntPtr point);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetSyncPointInfo (IntPtr sound, IntPtr point, IntPtr name, int namelen, out uint offset, TIMEUNIT offsettype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_AddSyncPoint (IntPtr sound, uint offset, TIMEUNIT offsettype, string name, out IntPtr point);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_DeleteSyncPoint (IntPtr sound, IntPtr point);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetMode (IntPtr sound, MODE mode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetMode (IntPtr sound, out MODE mode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetLoopCount (IntPtr sound, int loopcount);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetLoopCount (IntPtr sound, out int loopcount);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetLoopPoints (IntPtr sound, uint loopstart, TIMEUNIT loopstarttype, uint loopend, TIMEUNIT loopendtype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetLoopPoints (IntPtr sound, out uint loopstart, TIMEUNIT loopstarttype, out uint loopend, TIMEUNIT loopendtype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetMusicNumChannels (IntPtr sound, out int numchannels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetMusicChannelVolume (IntPtr sound, int channel, float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetMusicChannelVolume (IntPtr sound, int channel, out float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetMusicSpeed (IntPtr sound, float speed);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetMusicSpeed (IntPtr sound, out float speed);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_SetUserData (IntPtr sound, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Sound_GetUserData (IntPtr sound, out IntPtr userdata);
#endregion
#region wrapperinternal
public Sound(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'ChannelControl' API
*/
public class ChannelControl : HandleBase
{
public RESULT getSystemObject(out System system)
{
system = null;
IntPtr systemraw;
RESULT result = FMOD_ChannelGroup_GetSystemObject(rawPtr, out systemraw);
system = new System(systemraw);
return result;
}
// General control functionality for Channels and ChannelGroups.
public RESULT stop()
{
return FMOD_ChannelGroup_Stop(rawPtr);
}
public RESULT setPaused(bool paused)
{
return FMOD_ChannelGroup_SetPaused(rawPtr, paused);
}
public RESULT getPaused(out bool paused)
{
return FMOD_ChannelGroup_GetPaused(rawPtr, out paused);
}
public RESULT setVolume(float volume)
{
return FMOD_ChannelGroup_SetVolume(rawPtr, volume);
}
public RESULT getVolume(out float volume)
{
return FMOD_ChannelGroup_GetVolume(rawPtr, out volume);
}
public RESULT setVolumeRamp(bool ramp)
{
return FMOD_ChannelGroup_SetVolumeRamp(rawPtr, ramp);
}
public RESULT getVolumeRamp(out bool ramp)
{
return FMOD_ChannelGroup_GetVolumeRamp(rawPtr, out ramp);
}
public RESULT getAudibility(out float audibility)
{
return FMOD_ChannelGroup_GetAudibility(rawPtr, out audibility);
}
public RESULT setPitch(float pitch)
{
return FMOD_ChannelGroup_SetPitch(rawPtr, pitch);
}
public RESULT getPitch(out float pitch)
{
return FMOD_ChannelGroup_GetPitch(rawPtr, out pitch);
}
public RESULT setMute(bool mute)
{
return FMOD_ChannelGroup_SetMute(rawPtr, mute);
}
public RESULT getMute(out bool mute)
{
return FMOD_ChannelGroup_GetMute(rawPtr, out mute);
}
public RESULT setReverbProperties(int instance, float wet)
{
return FMOD_ChannelGroup_SetReverbProperties(rawPtr, instance, wet);
}
public RESULT getReverbProperties(int instance, out float wet)
{
return FMOD_ChannelGroup_GetReverbProperties(rawPtr, instance, out wet);
}
public RESULT setLowPassGain(float gain)
{
return FMOD_ChannelGroup_SetLowPassGain(rawPtr, gain);
}
public RESULT getLowPassGain(out float gain)
{
return FMOD_ChannelGroup_GetLowPassGain(rawPtr, out gain);
}
public RESULT setMode(MODE mode)
{
return FMOD_ChannelGroup_SetMode(rawPtr, mode);
}
public RESULT getMode(out MODE mode)
{
return FMOD_ChannelGroup_GetMode(rawPtr, out mode);
}
public RESULT setCallback(CHANNEL_CALLBACK callback)
{
return FMOD_ChannelGroup_SetCallback(rawPtr, callback);
}
public RESULT isPlaying(out bool isplaying)
{
return FMOD_ChannelGroup_IsPlaying(rawPtr, out isplaying);
}
// Panning and level adjustment.
public RESULT setPan(float pan)
{
return FMOD_ChannelGroup_SetPan(rawPtr, pan);
}
public RESULT setMixLevelsOutput(float frontleft, float frontright, float center, float lfe, float surroundleft, float surroundright, float backleft, float backright)
{
return FMOD_ChannelGroup_SetMixLevelsOutput(rawPtr, frontleft, frontright, center, lfe,
surroundleft, surroundright, backleft, backright);
}
public RESULT setMixLevelsInput(float[] levels, int numlevels)
{
return FMOD_ChannelGroup_SetMixLevelsInput(rawPtr, levels, numlevels);
}
public RESULT setMixMatrix(float[] matrix, int outchannels, int inchannels, int inchannel_hop)
{
return FMOD_ChannelGroup_SetMixMatrix(rawPtr, matrix, outchannels, inchannels, inchannel_hop);
}
public RESULT getMixMatrix(float[] matrix, out int outchannels, out int inchannels, int inchannel_hop)
{
return FMOD_ChannelGroup_GetMixMatrix(rawPtr, matrix, out outchannels, out inchannels, inchannel_hop);
}
// Clock based functionality.
public RESULT getDSPClock(out ulong dspclock, out ulong parentclock)
{
return FMOD_ChannelGroup_GetDSPClock(rawPtr, out dspclock, out parentclock);
}
public RESULT setDelay(ulong dspclock_start, ulong dspclock_end, bool stopchannels)
{
return FMOD_ChannelGroup_SetDelay(rawPtr, dspclock_start, dspclock_end, stopchannels);
}
public RESULT getDelay(out ulong dspclock_start, out ulong dspclock_end, out bool stopchannels)
{
return FMOD_ChannelGroup_GetDelay(rawPtr, out dspclock_start, out dspclock_end, out stopchannels);
}
public RESULT addFadePoint(ulong dspclock, float volume)
{
return FMOD_ChannelGroup_AddFadePoint(rawPtr, dspclock, volume);
}
public RESULT setFadePointRamp(ulong dspclock, float volume)
{
return FMOD_ChannelGroup_SetFadePointRamp(rawPtr, dspclock, volume);
}
public RESULT removeFadePoints(ulong dspclock_start, ulong dspclock_end)
{
return FMOD_ChannelGroup_RemoveFadePoints(rawPtr, dspclock_start, dspclock_end);
}
public RESULT getFadePoints(ref uint numpoints, ulong[] point_dspclock, float[] point_volume)
{
return FMOD_ChannelGroup_GetFadePoints(rawPtr, ref numpoints, point_dspclock, point_volume);
}
// DSP effects.
public RESULT getDSP(int index, out DSP dsp)
{
dsp = null;
IntPtr dspraw;
RESULT result = FMOD_ChannelGroup_GetDSP(rawPtr, index, out dspraw);
dsp = new DSP(dspraw);
return result;
}
public RESULT addDSP(int index, DSP dsp)
{
return FMOD_ChannelGroup_AddDSP(rawPtr, index, dsp.getRaw());
}
public RESULT removeDSP(DSP dsp)
{
return FMOD_ChannelGroup_RemoveDSP(rawPtr, dsp.getRaw());
}
public RESULT getNumDSPs(out int numdsps)
{
return FMOD_ChannelGroup_GetNumDSPs(rawPtr, out numdsps);
}
public RESULT setDSPIndex(DSP dsp, int index)
{
return FMOD_ChannelGroup_SetDSPIndex(rawPtr, dsp.getRaw(), index);
}
public RESULT getDSPIndex(DSP dsp, out int index)
{
return FMOD_ChannelGroup_GetDSPIndex(rawPtr, dsp.getRaw(), out index);
}
public RESULT overridePanDSP(DSP pan)
{
return FMOD_ChannelGroup_OverridePanDSP(rawPtr, pan.getRaw());
}
// 3D functionality.
public RESULT set3DAttributes(ref VECTOR pos, ref VECTOR vel, ref VECTOR alt_pan_pos)
{
return FMOD_ChannelGroup_Set3DAttributes(rawPtr, ref pos, ref vel, ref alt_pan_pos);
}
public RESULT get3DAttributes(out VECTOR pos, out VECTOR vel, out VECTOR alt_pan_pos)
{
return FMOD_ChannelGroup_Get3DAttributes(rawPtr, out pos, out vel, out alt_pan_pos);
}
public RESULT set3DMinMaxDistance(float mindistance, float maxdistance)
{
return FMOD_ChannelGroup_Set3DMinMaxDistance(rawPtr, mindistance, maxdistance);
}
public RESULT get3DMinMaxDistance(out float mindistance, out float maxdistance)
{
return FMOD_ChannelGroup_Get3DMinMaxDistance(rawPtr, out mindistance, out maxdistance);
}
public RESULT set3DConeSettings(float insideconeangle, float outsideconeangle, float outsidevolume)
{
return FMOD_ChannelGroup_Set3DConeSettings(rawPtr, insideconeangle, outsideconeangle, outsidevolume);
}
public RESULT get3DConeSettings(out float insideconeangle, out float outsideconeangle, out float outsidevolume)
{
return FMOD_ChannelGroup_Get3DConeSettings(rawPtr, out insideconeangle, out outsideconeangle, out outsidevolume);
}
public RESULT set3DConeOrientation(ref VECTOR orientation)
{
return FMOD_ChannelGroup_Set3DConeOrientation(rawPtr, ref orientation);
}
public RESULT get3DConeOrientation(out VECTOR orientation)
{
return FMOD_ChannelGroup_Get3DConeOrientation(rawPtr, out orientation);
}
public RESULT set3DCustomRolloff(ref VECTOR points, int numpoints)
{
return FMOD_ChannelGroup_Set3DCustomRolloff(rawPtr, ref points, numpoints);
}
public RESULT get3DCustomRolloff(out IntPtr points, out int numpoints)
{
return FMOD_ChannelGroup_Get3DCustomRolloff(rawPtr, out points, out numpoints);
}
public RESULT set3DOcclusion(float directocclusion, float reverbocclusion)
{
return FMOD_ChannelGroup_Set3DOcclusion(rawPtr, directocclusion, reverbocclusion);
}
public RESULT get3DOcclusion(out float directocclusion, out float reverbocclusion)
{
return FMOD_ChannelGroup_Get3DOcclusion(rawPtr, out directocclusion, out reverbocclusion);
}
public RESULT set3DSpread(float angle)
{
return FMOD_ChannelGroup_Set3DSpread(rawPtr, angle);
}
public RESULT get3DSpread(out float angle)
{
return FMOD_ChannelGroup_Get3DSpread(rawPtr, out angle);
}
public RESULT set3DLevel(float level)
{
return FMOD_ChannelGroup_Set3DLevel(rawPtr, level);
}
public RESULT get3DLevel(out float level)
{
return FMOD_ChannelGroup_Get3DLevel(rawPtr, out level);
}
public RESULT set3DDopplerLevel(float level)
{
return FMOD_ChannelGroup_Set3DDopplerLevel(rawPtr, level);
}
public RESULT get3DDopplerLevel(out float level)
{
return FMOD_ChannelGroup_Get3DDopplerLevel(rawPtr, out level);
}
public RESULT set3DDistanceFilter(bool custom, float customLevel, float centerFreq)
{
return FMOD_ChannelGroup_Set3DDistanceFilter(rawPtr, custom, customLevel, centerFreq);
}
public RESULT get3DDistanceFilter(out bool custom, out float customLevel, out float centerFreq)
{
return FMOD_ChannelGroup_Get3DDistanceFilter(rawPtr, out custom, out customLevel, out centerFreq);
}
// Userdata set/get.
public RESULT setUserData(IntPtr userdata)
{
return FMOD_ChannelGroup_SetUserData(rawPtr, userdata);
}
public RESULT getUserData(out IntPtr userdata)
{
return FMOD_ChannelGroup_GetUserData(rawPtr, out userdata);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Stop(IntPtr channelgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetPaused(IntPtr channelgroup, bool paused);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetPaused(IntPtr channelgroup, out bool paused);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetVolume(IntPtr channelgroup, out float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetVolumeRamp(IntPtr channelgroup, bool ramp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetVolumeRamp(IntPtr channelgroup, out bool ramp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetAudibility(IntPtr channelgroup, out float audibility);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetPitch(IntPtr channelgroup, float pitch);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetPitch(IntPtr channelgroup, out float pitch);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetMute(IntPtr channelgroup, bool mute);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetMute(IntPtr channelgroup, out bool mute);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetReverbProperties(IntPtr channelgroup, int instance, float wet);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetReverbProperties(IntPtr channelgroup, int instance, out float wet);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetLowPassGain(IntPtr channelgroup, float gain);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetLowPassGain(IntPtr channelgroup, out float gain);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetMode(IntPtr channelgroup, MODE mode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetMode(IntPtr channelgroup, out MODE mode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetCallback(IntPtr channelgroup, CHANNEL_CALLBACK callback);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_IsPlaying(IntPtr channelgroup, out bool isplaying);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetPan(IntPtr channelgroup, float pan);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetMixLevelsOutput(IntPtr channelgroup, float frontleft, float frontright, float center, float lfe, float surroundleft, float surroundright, float backleft, float backright);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetMixLevelsInput(IntPtr channelgroup, float[] levels, int numlevels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetMixMatrix(IntPtr channelgroup, float[] matrix, int outchannels, int inchannels, int inchannel_hop);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetMixMatrix(IntPtr channelgroup, float[] matrix, out int outchannels, out int inchannels, int inchannel_hop);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetDSPClock(IntPtr channelgroup, out ulong dspclock, out ulong parentclock);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetDelay(IntPtr channelgroup, ulong dspclock_start, ulong dspclock_end, bool stopchannels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetDelay(IntPtr channelgroup, out ulong dspclock_start, out ulong dspclock_end, out bool stopchannels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_AddFadePoint(IntPtr channelgroup, ulong dspclock, float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetFadePointRamp(IntPtr channelgroup, ulong dspclock, float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_RemoveFadePoints(IntPtr channelgroup, ulong dspclock_start, ulong dspclock_end);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetFadePoints(IntPtr channelgroup, ref uint numpoints, ulong[] point_dspclock, float[] point_volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DAttributes(IntPtr channelgroup, ref VECTOR pos, ref VECTOR vel, ref VECTOR alt_pan_pos);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DAttributes(IntPtr channelgroup, out VECTOR pos, out VECTOR vel, out VECTOR alt_pan_pos);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DMinMaxDistance(IntPtr channelgroup, float mindistance, float maxdistance);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DMinMaxDistance(IntPtr channelgroup, out float mindistance, out float maxdistance);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DConeSettings(IntPtr channelgroup, float insideconeangle, float outsideconeangle, float outsidevolume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DConeSettings(IntPtr channelgroup, out float insideconeangle, out float outsideconeangle, out float outsidevolume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DConeOrientation(IntPtr channelgroup, ref VECTOR orientation);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DConeOrientation(IntPtr channelgroup, out VECTOR orientation);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DCustomRolloff(IntPtr channelgroup, ref VECTOR points, int numpoints);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DCustomRolloff(IntPtr channelgroup, out IntPtr points, out int numpoints);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DOcclusion(IntPtr channelgroup, float directocclusion, float reverbocclusion);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DOcclusion(IntPtr channelgroup, out float directocclusion, out float reverbocclusion);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DSpread(IntPtr channelgroup, float angle);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DSpread(IntPtr channelgroup, out float angle);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DLevel(IntPtr channelgroup, float level);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DLevel(IntPtr channelgroup, out float level);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DDopplerLevel(IntPtr channelgroup, float level);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DDopplerLevel(IntPtr channelgroup, out float level);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Set3DDistanceFilter(IntPtr channelgroup, bool custom, float customLevel, float centerFreq);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Get3DDistanceFilter(IntPtr channelgroup, out bool custom, out float customLevel, out float centerFreq);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetSystemObject(IntPtr channelgroup, out IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetVolume(IntPtr channelgroup, float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetDSP(IntPtr channelgroup, int index, out IntPtr dsp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_AddDSP(IntPtr channelgroup, int index, IntPtr dsp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_RemoveDSP(IntPtr channelgroup, IntPtr dsp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetNumDSPs(IntPtr channelgroup, out int numdsps);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetDSPIndex(IntPtr channelgroup, IntPtr dsp, int index);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetDSPIndex(IntPtr channelgroup, IntPtr dsp, out int index);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_OverridePanDSP(IntPtr channelgroup, IntPtr pan);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_SetUserData(IntPtr channelgroup, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetUserData(IntPtr channelgroup, out IntPtr userdata);
#endregion
#region wrapperinternal
protected ChannelControl(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'Channel' API
*/
public class Channel : ChannelControl
{
// Channel specific control functionality.
public RESULT setFrequency (float frequency)
{
return FMOD_Channel_SetFrequency(getRaw(), frequency);
}
public RESULT getFrequency (out float frequency)
{
return FMOD_Channel_GetFrequency(getRaw(), out frequency);
}
public RESULT setPriority (int priority)
{
return FMOD_Channel_SetPriority(getRaw(), priority);
}
public RESULT getPriority (out int priority)
{
return FMOD_Channel_GetPriority(getRaw(), out priority);
}
public RESULT setPosition (uint position, TIMEUNIT postype)
{
return FMOD_Channel_SetPosition(getRaw(), position, postype);
}
public RESULT getPosition (out uint position, TIMEUNIT postype)
{
return FMOD_Channel_GetPosition(getRaw(), out position, postype);
}
public RESULT setChannelGroup (ChannelGroup channelgroup)
{
return FMOD_Channel_SetChannelGroup(getRaw(), channelgroup.getRaw());
}
public RESULT getChannelGroup (out ChannelGroup channelgroup)
{
channelgroup = null;
IntPtr channelgroupraw;
RESULT result = FMOD_Channel_GetChannelGroup(getRaw(), out channelgroupraw);
channelgroup = new ChannelGroup(channelgroupraw);
return result;
}
public RESULT setLoopCount(int loopcount)
{
return FMOD_Channel_SetLoopCount(getRaw(), loopcount);
}
public RESULT getLoopCount(out int loopcount)
{
return FMOD_Channel_GetLoopCount(getRaw(), out loopcount);
}
public RESULT setLoopPoints(uint loopstart, TIMEUNIT loopstarttype, uint loopend, TIMEUNIT loopendtype)
{
return FMOD_Channel_SetLoopPoints(getRaw(), loopstart, loopstarttype, loopend, loopendtype);
}
public RESULT getLoopPoints(out uint loopstart, TIMEUNIT loopstarttype, out uint loopend, TIMEUNIT loopendtype)
{
return FMOD_Channel_GetLoopPoints(getRaw(), out loopstart, loopstarttype, out loopend, loopendtype);
}
// Information only functions.
public RESULT isVirtual (out bool isvirtual)
{
return FMOD_Channel_IsVirtual(getRaw(), out isvirtual);
}
public RESULT getCurrentSound (out Sound sound)
{
sound = null;
IntPtr soundraw;
RESULT result = FMOD_Channel_GetCurrentSound(getRaw(), out soundraw);
sound = new Sound(soundraw);
return result;
}
public RESULT getIndex (out int index)
{
return FMOD_Channel_GetIndex(getRaw(), out index);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_SetFrequency (IntPtr channel, float frequency);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetFrequency (IntPtr channel, out float frequency);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_SetPriority (IntPtr channel, int priority);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetPriority (IntPtr channel, out int priority);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_SetChannelGroup (IntPtr channel, IntPtr channelgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetChannelGroup (IntPtr channel, out IntPtr channelgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_IsVirtual (IntPtr channel, out bool isvirtual);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetCurrentSound (IntPtr channel, out IntPtr sound);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetIndex (IntPtr channel, out int index);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_SetPosition (IntPtr channel, uint position, TIMEUNIT postype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetPosition (IntPtr channel, out uint position, TIMEUNIT postype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_SetMode (IntPtr channel, MODE mode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetMode (IntPtr channel, out MODE mode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_SetLoopCount (IntPtr channel, int loopcount);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetLoopCount (IntPtr channel, out int loopcount);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_SetLoopPoints (IntPtr channel, uint loopstart, TIMEUNIT loopstarttype, uint loopend, TIMEUNIT loopendtype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetLoopPoints (IntPtr channel, out uint loopstart, TIMEUNIT loopstarttype, out uint loopend, TIMEUNIT loopendtype);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_SetUserData (IntPtr channel, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Channel_GetUserData (IntPtr channel, out IntPtr userdata);
#endregion
#region wrapperinternal
public Channel(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'ChannelGroup' API
*/
public class ChannelGroup : ChannelControl
{
public RESULT release ()
{
RESULT result = FMOD_ChannelGroup_Release(getRaw());
if (result == RESULT.OK)
{
rawPtr = IntPtr.Zero;
}
return result;
}
// Nested channel groups.
public RESULT addGroup (ChannelGroup group)
{
return FMOD_ChannelGroup_AddGroup(getRaw(), group.getRaw());
}
public RESULT getNumGroups (out int numgroups)
{
return FMOD_ChannelGroup_GetNumGroups(getRaw(), out numgroups);
}
public RESULT getGroup (int index, out ChannelGroup group)
{
group = null;
IntPtr groupraw;
RESULT result = FMOD_ChannelGroup_GetGroup(getRaw(), index, out groupraw);
group = new ChannelGroup(groupraw);
return result;
}
public RESULT getParentGroup (out ChannelGroup group)
{
group = null;
IntPtr groupraw;
RESULT result = FMOD_ChannelGroup_GetParentGroup(getRaw(), out groupraw);
group = new ChannelGroup(groupraw);
return result;
}
// Information only functions.
public RESULT getName (StringBuilder name, int namelen)
{
IntPtr stringMem = Marshal.AllocHGlobal(name.Capacity);
RESULT result = FMOD_ChannelGroup_GetName(getRaw(), stringMem, namelen);
StringMarshalHelper.NativeToBuilder(name, stringMem);
Marshal.FreeHGlobal(stringMem);
return result;
}
public RESULT getNumChannels (out int numchannels)
{
return FMOD_ChannelGroup_GetNumChannels(getRaw(), out numchannels);
}
public RESULT getChannel (int index, out Channel channel)
{
channel = null;
IntPtr channelraw;
RESULT result = FMOD_ChannelGroup_GetChannel(getRaw(), index, out channelraw);
channel = new Channel(channelraw);
return result;
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_Release (IntPtr channelgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_AddGroup (IntPtr channelgroup, IntPtr group);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetNumGroups (IntPtr channelgroup, out int numgroups);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetGroup (IntPtr channelgroup, int index, out IntPtr group);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetParentGroup (IntPtr channelgroup, out IntPtr group);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetName (IntPtr channelgroup, IntPtr name, int namelen);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetNumChannels (IntPtr channelgroup, out int numchannels);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_ChannelGroup_GetChannel (IntPtr channelgroup, int index, out IntPtr channel);
#endregion
#region wrapperinternal
public ChannelGroup(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'SoundGroup' API
*/
public class SoundGroup : HandleBase
{
public RESULT release ()
{
RESULT result = FMOD_SoundGroup_Release(getRaw());
if (result == RESULT.OK)
{
rawPtr = IntPtr.Zero;
}
return result;
}
public RESULT getSystemObject (out System system)
{
system = null;
IntPtr systemraw;
RESULT result = FMOD_SoundGroup_GetSystemObject(rawPtr, out systemraw);
system = new System(systemraw);
return result;
}
// SoundGroup control functions.
public RESULT setMaxAudible (int maxaudible)
{
return FMOD_SoundGroup_SetMaxAudible(rawPtr, maxaudible);
}
public RESULT getMaxAudible (out int maxaudible)
{
return FMOD_SoundGroup_GetMaxAudible(rawPtr, out maxaudible);
}
public RESULT setMaxAudibleBehavior (SOUNDGROUP_BEHAVIOR behavior)
{
return FMOD_SoundGroup_SetMaxAudibleBehavior(rawPtr, behavior);
}
public RESULT getMaxAudibleBehavior (out SOUNDGROUP_BEHAVIOR behavior)
{
return FMOD_SoundGroup_GetMaxAudibleBehavior(rawPtr, out behavior);
}
public RESULT setMuteFadeSpeed (float speed)
{
return FMOD_SoundGroup_SetMuteFadeSpeed(rawPtr, speed);
}
public RESULT getMuteFadeSpeed (out float speed)
{
return FMOD_SoundGroup_GetMuteFadeSpeed(rawPtr, out speed);
}
public RESULT setVolume (float volume)
{
return FMOD_SoundGroup_SetVolume(rawPtr, volume);
}
public RESULT getVolume (out float volume)
{
return FMOD_SoundGroup_GetVolume(rawPtr, out volume);
}
public RESULT stop ()
{
return FMOD_SoundGroup_Stop(rawPtr);
}
// Information only functions.
public RESULT getName (StringBuilder name, int namelen)
{
IntPtr stringMem = Marshal.AllocHGlobal(name.Capacity);
RESULT result = FMOD_SoundGroup_GetName(rawPtr, stringMem, namelen);
StringMarshalHelper.NativeToBuilder(name, stringMem);
Marshal.FreeHGlobal(stringMem);
return result;
}
public RESULT getNumSounds (out int numsounds)
{
return FMOD_SoundGroup_GetNumSounds(rawPtr, out numsounds);
}
public RESULT getSound (int index, out Sound sound)
{
sound = null;
IntPtr soundraw;
RESULT result = FMOD_SoundGroup_GetSound(rawPtr, index, out soundraw);
sound = new Sound(soundraw);
return result;
}
public RESULT getNumPlaying (out int numplaying)
{
return FMOD_SoundGroup_GetNumPlaying(rawPtr, out numplaying);
}
// Userdata set/get.
public RESULT setUserData (IntPtr userdata)
{
return FMOD_SoundGroup_SetUserData(rawPtr, userdata);
}
public RESULT getUserData (out IntPtr userdata)
{
return FMOD_SoundGroup_GetUserData(rawPtr, out userdata);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_Release (IntPtr soundgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetSystemObject (IntPtr soundgroup, out IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_SetMaxAudible (IntPtr soundgroup, int maxaudible);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetMaxAudible (IntPtr soundgroup, out int maxaudible);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_SetMaxAudibleBehavior(IntPtr soundgroup, SOUNDGROUP_BEHAVIOR behavior);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetMaxAudibleBehavior(IntPtr soundgroup, out SOUNDGROUP_BEHAVIOR behavior);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_SetMuteFadeSpeed (IntPtr soundgroup, float speed);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetMuteFadeSpeed (IntPtr soundgroup, out float speed);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_SetVolume (IntPtr soundgroup, float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetVolume (IntPtr soundgroup, out float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_Stop (IntPtr soundgroup);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetName (IntPtr soundgroup, IntPtr name, int namelen);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetNumSounds (IntPtr soundgroup, out int numsounds);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetSound (IntPtr soundgroup, int index, out IntPtr sound);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetNumPlaying (IntPtr soundgroup, out int numplaying);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_SetUserData (IntPtr soundgroup, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_SoundGroup_GetUserData (IntPtr soundgroup, out IntPtr userdata);
#endregion
#region wrapperinternal
public SoundGroup(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'DSP' API
*/
public class DSP : HandleBase
{
public RESULT release ()
{
RESULT result = FMOD_DSP_Release(getRaw());
if (result == RESULT.OK)
{
rawPtr = IntPtr.Zero;
}
return result;
}
public RESULT getSystemObject (out System system)
{
system = null;
IntPtr systemraw;
RESULT result = FMOD_DSP_GetSystemObject(rawPtr, out systemraw);
system = new System(systemraw);
return result;
}
// Connection / disconnection / input and output enumeration.
public RESULT addInput(DSP target, out DSPConnection connection)
{
connection = null;
IntPtr dspconnectionraw;
RESULT result = FMOD_DSP_AddInput(rawPtr, target.getRaw(), out dspconnectionraw);
connection = new DSPConnection(dspconnectionraw);
return result;
}
public RESULT disconnectFrom (DSP target)
{
return FMOD_DSP_DisconnectFrom(rawPtr, target.getRaw());
}
public RESULT disconnectAll (bool inputs, bool outputs)
{
return FMOD_DSP_DisconnectAll(rawPtr, inputs, outputs);
}
public RESULT getNumInputs (out int numinputs)
{
return FMOD_DSP_GetNumInputs(rawPtr, out numinputs);
}
public RESULT getNumOutputs (out int numoutputs)
{
return FMOD_DSP_GetNumOutputs(rawPtr, out numoutputs);
}
public RESULT getInput (int index, out DSP input, out DSPConnection inputconnection)
{
input = null;
inputconnection = null;
IntPtr dspinputraw;
IntPtr dspconnectionraw;
RESULT result = FMOD_DSP_GetInput(rawPtr, index, out dspinputraw, out dspconnectionraw);
input = new DSP(dspinputraw);
inputconnection = new DSPConnection(dspconnectionraw);
return result;
}
public RESULT getOutput (int index, out DSP output, out DSPConnection outputconnection)
{
output = null;
outputconnection = null;
IntPtr dspoutputraw;
IntPtr dspconnectionraw;
RESULT result = FMOD_DSP_GetOutput(rawPtr, index, out dspoutputraw, out dspconnectionraw);
output = new DSP(dspoutputraw);
outputconnection = new DSPConnection(dspconnectionraw);
return result;
}
// DSP unit control.
public RESULT setActive (bool active)
{
return FMOD_DSP_SetActive(rawPtr, active);
}
public RESULT getActive (out bool active)
{
return FMOD_DSP_GetActive(rawPtr, out active);
}
public RESULT setBypass(bool bypass)
{
return FMOD_DSP_SetBypass(rawPtr, bypass);
}
public RESULT getBypass(out bool bypass)
{
return FMOD_DSP_GetBypass(rawPtr, out bypass);
}
public RESULT setWetDryMix(float wet, float dry)
{
return FMOD_DSP_SetWetDryMix(rawPtr, wet, dry);
}
public RESULT getWetDryMix(out float wet, out float dry)
{
return FMOD_DSP_GetWetDryMix(rawPtr, out wet, out dry);
}
public RESULT setChannelFormat(CHANNELMASK channelmask, int numchannels, SPEAKERMODE source_speakermode)
{
return FMOD_DSP_SetChannelFormat(rawPtr, channelmask, numchannels, source_speakermode);
}
public RESULT getChannelFormat(out CHANNELMASK channelmask, out int numchannels, out SPEAKERMODE source_speakermode)
{
return FMOD_DSP_GetChannelFormat(rawPtr, out channelmask, out numchannels, out source_speakermode);
}
public RESULT getOutputChannelFormat(CHANNELMASK inmask, int inchannels, SPEAKERMODE inspeakermode, out CHANNELMASK outmask, out int outchannels, out SPEAKERMODE outspeakermode)
{
return FMOD_DSP_GetOutputChannelFormat(rawPtr, inmask, inchannels, inspeakermode, out outmask, out outchannels, out outspeakermode);
}
public RESULT reset ()
{
return FMOD_DSP_Reset(rawPtr);
}
// DSP parameter control.
public RESULT setParameterFloat(int index, float value)
{
return FMOD_DSP_SetParameterFloat(rawPtr, index, value);
}
public RESULT setParameterInt(int index, int value)
{
return FMOD_DSP_SetParameterInt(rawPtr, index, value);
}
public RESULT setParameterBool(int index, bool value)
{
return FMOD_DSP_SetParameterBool(rawPtr, index, value);
}
public RESULT setParameterData(int index, byte[] data)
{
return FMOD_DSP_SetParameterData(rawPtr, index, Marshal.UnsafeAddrOfPinnedArrayElement(data, 0), (uint)data.Length);
}
public RESULT getParameterFloat(int index, out float value)
{
IntPtr valuestr = IntPtr.Zero;
return FMOD_DSP_GetParameterFloat(rawPtr, index, out value, valuestr, 0);
}
public RESULT getParameterInt(int index, out int value)
{
IntPtr valuestr = IntPtr.Zero;
return FMOD_DSP_GetParameterInt(rawPtr, index, out value, valuestr, 0);
}
public RESULT getParameterBool(int index, out bool value)
{
return FMOD_DSP_GetParameterBool(rawPtr, index, out value, IntPtr.Zero, 0);
}
public RESULT getParameterData(int index, out IntPtr data, out uint length)
{
return FMOD_DSP_GetParameterData(rawPtr, index, out data, out length, IntPtr.Zero, 0);
}
public RESULT getNumParameters (out int numparams)
{
return FMOD_DSP_GetNumParameters(rawPtr, out numparams);
}
public RESULT getParameterInfo (int index, out DSP_PARAMETER_DESC desc)
{
IntPtr descPtr;
RESULT result = FMOD_DSP_GetParameterInfo(rawPtr, index, out descPtr);
if (result == RESULT.OK)
{
desc = (DSP_PARAMETER_DESC)Marshal.PtrToStructure(descPtr, typeof(DSP_PARAMETER_DESC));
}
else
{
desc = new DSP_PARAMETER_DESC();
}
return result;
}
public RESULT getDataParameterIndex(int datatype, out int index)
{
return FMOD_DSP_GetDataParameterIndex (rawPtr, datatype, out index);
}
public RESULT showConfigDialog (IntPtr hwnd, bool show)
{
return FMOD_DSP_ShowConfigDialog (rawPtr, hwnd, show);
}
// DSP attributes.
public RESULT getInfo (StringBuilder name, out uint version, out int channels, out int configwidth, out int configheight)
{
IntPtr nameMem = Marshal.AllocHGlobal(32);
RESULT result = FMOD_DSP_GetInfo(rawPtr, nameMem, out version, out channels, out configwidth, out configheight);
StringMarshalHelper.NativeToBuilder(name, nameMem);
Marshal.FreeHGlobal(nameMem);
return result;
}
public RESULT getType (out DSP_TYPE type)
{
return FMOD_DSP_GetType(rawPtr, out type);
}
public RESULT getIdle (out bool idle)
{
return FMOD_DSP_GetIdle(rawPtr, out idle);
}
// Userdata set/get.
public RESULT setUserData (IntPtr userdata)
{
return FMOD_DSP_SetUserData(rawPtr, userdata);
}
public RESULT getUserData (out IntPtr userdata)
{
return FMOD_DSP_GetUserData(rawPtr, out userdata);
}
// Metering.
public RESULT setMeteringEnabled(bool inputEnabled, bool outputEnabled)
{
return FMOD_DSP_SetMeteringEnabled(rawPtr, inputEnabled, outputEnabled);
}
public RESULT getMeteringEnabled(out bool inputEnabled, out bool outputEnabled)
{
return FMOD_DSP_GetMeteringEnabled(rawPtr, out inputEnabled, out outputEnabled);
}
public RESULT getMeteringInfo(out DSP_METERING_INFO info)
{
return FMOD_DSP_GetMeteringInfo(rawPtr, out info);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_Release (IntPtr dsp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetSystemObject (IntPtr dsp, out IntPtr system);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_AddInput (IntPtr dsp, IntPtr target, out IntPtr connection);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_DisconnectFrom (IntPtr dsp, IntPtr target);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_DisconnectAll (IntPtr dsp, bool inputs, bool outputs);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetNumInputs (IntPtr dsp, out int numinputs);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetNumOutputs (IntPtr dsp, out int numoutputs);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetInput (IntPtr dsp, int index, out IntPtr input, out IntPtr inputconnection);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetOutput (IntPtr dsp, int index, out IntPtr output, out IntPtr outputconnection);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetActive (IntPtr dsp, bool active);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetActive (IntPtr dsp, out bool active);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetBypass (IntPtr dsp, bool bypass);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetBypass (IntPtr dsp, out bool bypass);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetWetDryMix (IntPtr dsp, float wet, float dry);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetWetDryMix (IntPtr dsp, out float wet, out float dry);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetChannelFormat (IntPtr dsp, CHANNELMASK channelmask, int numchannels, SPEAKERMODE source_speakermode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetChannelFormat (IntPtr dsp, out CHANNELMASK channelmask, out int numchannels, out SPEAKERMODE source_speakermode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetOutputChannelFormat (IntPtr dsp, CHANNELMASK inmask, int inchannels, SPEAKERMODE inspeakermode, out CHANNELMASK outmask, out int outchannels, out SPEAKERMODE outspeakermode);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_Reset (IntPtr dsp);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetParameterFloat (IntPtr dsp, int index, float value);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetParameterInt (IntPtr dsp, int index, int value);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetParameterBool (IntPtr dsp, int index, bool value);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetParameterData (IntPtr dsp, int index, IntPtr data, uint length);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetParameterFloat (IntPtr dsp, int index, out float value, IntPtr valuestr, int valuestrlen);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetParameterInt (IntPtr dsp, int index, out int value, IntPtr valuestr, int valuestrlen);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetParameterBool (IntPtr dsp, int index, out bool value, IntPtr valuestr, int valuestrlen);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetParameterData (IntPtr dsp, int index, out IntPtr data, out uint length, IntPtr valuestr, int valuestrlen);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetNumParameters (IntPtr dsp, out int numparams);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetParameterInfo (IntPtr dsp, int index, out IntPtr desc);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetDataParameterIndex (IntPtr dsp, int datatype, out int index);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_ShowConfigDialog (IntPtr dsp, IntPtr hwnd, bool show);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetInfo (IntPtr dsp, IntPtr name, out uint version, out int channels, out int configwidth, out int configheight);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetType (IntPtr dsp, out DSP_TYPE type);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetIdle (IntPtr dsp, out bool idle);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_SetUserData (IntPtr dsp, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSP_GetUserData (IntPtr dsp, out IntPtr userdata);
[DllImport(VERSION.dll)]
public static extern RESULT FMOD_DSP_SetMeteringEnabled (IntPtr dsp, bool inputEnabled, bool outputEnabled);
[DllImport(VERSION.dll)]
public static extern RESULT FMOD_DSP_GetMeteringEnabled (IntPtr dsp, out bool inputEnabled, out bool outputEnabled);
[DllImport(VERSION.dll)]
public static extern RESULT FMOD_DSP_GetMeteringInfo (IntPtr dsp, out DSP_METERING_INFO dspInfo);
#endregion
#region wrapperinternal
public DSP(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'DSPConnection' API
*/
public class DSPConnection : HandleBase
{
public RESULT getInput (out DSP input)
{
input = null;
IntPtr dspraw;
RESULT result = FMOD_DSPConnection_GetInput(rawPtr, out dspraw);
input = new DSP(dspraw);
return result;
}
public RESULT getOutput (out DSP output)
{
output = null;
IntPtr dspraw;
RESULT result = FMOD_DSPConnection_GetOutput(rawPtr, out dspraw);
output = new DSP(dspraw);
return result;
}
public RESULT setMix (float volume)
{
return FMOD_DSPConnection_SetMix(rawPtr, volume);
}
public RESULT getMix (out float volume)
{
return FMOD_DSPConnection_GetMix(rawPtr, out volume);
}
public RESULT setMixMatrix(float[] matrix, int outchannels, int inchannels, int inchannel_hop)
{
return FMOD_DSPConnection_SetMixMatrix(rawPtr, matrix, outchannels, inchannels, inchannel_hop);
}
public RESULT getMixMatrix(float[] matrix, out int outchannels, out int inchannels, int inchannel_hop)
{
return FMOD_DSPConnection_GetMixMatrix(rawPtr, matrix, out outchannels, out inchannels, inchannel_hop);
}
public RESULT getType(out DSPCONNECTION_TYPE type)
{
return FMOD_DSPConnection_GetType(rawPtr, out type);
}
// Userdata set/get.
public RESULT setUserData(IntPtr userdata)
{
return FMOD_DSPConnection_SetUserData(rawPtr, userdata);
}
public RESULT getUserData(out IntPtr userdata)
{
return FMOD_DSPConnection_GetUserData(rawPtr, out userdata);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_GetInput (IntPtr dspconnection, out IntPtr input);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_GetOutput (IntPtr dspconnection, out IntPtr output);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_SetMix (IntPtr dspconnection, float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_GetMix (IntPtr dspconnection, out float volume);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_SetMixMatrix (IntPtr dspconnection, float[] matrix, int outchannels, int inchannels, int inchannel_hop);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_GetMixMatrix (IntPtr dspconnection, float[] matrix, out int outchannels, out int inchannels, int inchannel_hop);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_GetType (IntPtr dspconnection, out DSPCONNECTION_TYPE type);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_SetUserData (IntPtr dspconnection, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_DSPConnection_GetUserData (IntPtr dspconnection, out IntPtr userdata);
#endregion
#region wrapperinternal
public DSPConnection(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'Geometry' API
*/
public class Geometry : HandleBase
{
public RESULT release ()
{
RESULT result = FMOD_Geometry_Release(getRaw());
if (result == RESULT.OK)
{
rawPtr = IntPtr.Zero;
}
return result;
}
// Polygon manipulation.
public RESULT addPolygon (float directocclusion, float reverbocclusion, bool doublesided, int numvertices, VECTOR[] vertices, out int polygonindex)
{
return FMOD_Geometry_AddPolygon(rawPtr, directocclusion, reverbocclusion, doublesided, numvertices, vertices, out polygonindex);
}
public RESULT getNumPolygons (out int numpolygons)
{
return FMOD_Geometry_GetNumPolygons(rawPtr, out numpolygons);
}
public RESULT getMaxPolygons (out int maxpolygons, out int maxvertices)
{
return FMOD_Geometry_GetMaxPolygons(rawPtr, out maxpolygons, out maxvertices);
}
public RESULT getPolygonNumVertices (int index, out int numvertices)
{
return FMOD_Geometry_GetPolygonNumVertices(rawPtr, index, out numvertices);
}
public RESULT setPolygonVertex (int index, int vertexindex, ref VECTOR vertex)
{
return FMOD_Geometry_SetPolygonVertex(rawPtr, index, vertexindex, ref vertex);
}
public RESULT getPolygonVertex (int index, int vertexindex, out VECTOR vertex)
{
return FMOD_Geometry_GetPolygonVertex(rawPtr, index, vertexindex, out vertex);
}
public RESULT setPolygonAttributes (int index, float directocclusion, float reverbocclusion, bool doublesided)
{
return FMOD_Geometry_SetPolygonAttributes(rawPtr, index, directocclusion, reverbocclusion, doublesided);
}
public RESULT getPolygonAttributes (int index, out float directocclusion, out float reverbocclusion, out bool doublesided)
{
return FMOD_Geometry_GetPolygonAttributes(rawPtr, index, out directocclusion, out reverbocclusion, out doublesided);
}
// Object manipulation.
public RESULT setActive (bool active)
{
return FMOD_Geometry_SetActive(rawPtr, active);
}
public RESULT getActive (out bool active)
{
return FMOD_Geometry_GetActive(rawPtr, out active);
}
public RESULT setRotation (ref VECTOR forward, ref VECTOR up)
{
return FMOD_Geometry_SetRotation(rawPtr, ref forward, ref up);
}
public RESULT getRotation (out VECTOR forward, out VECTOR up)
{
return FMOD_Geometry_GetRotation(rawPtr, out forward, out up);
}
public RESULT setPosition (ref VECTOR position)
{
return FMOD_Geometry_SetPosition(rawPtr, ref position);
}
public RESULT getPosition (out VECTOR position)
{
return FMOD_Geometry_GetPosition(rawPtr, out position);
}
public RESULT setScale (ref VECTOR scale)
{
return FMOD_Geometry_SetScale(rawPtr, ref scale);
}
public RESULT getScale (out VECTOR scale)
{
return FMOD_Geometry_GetScale(rawPtr, out scale);
}
public RESULT save (IntPtr data, out int datasize)
{
return FMOD_Geometry_Save(rawPtr, data, out datasize);
}
// Userdata set/get.
public RESULT setUserData (IntPtr userdata)
{
return FMOD_Geometry_SetUserData(rawPtr, userdata);
}
public RESULT getUserData (out IntPtr userdata)
{
return FMOD_Geometry_GetUserData(rawPtr, out userdata);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_Release (IntPtr geometry);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_AddPolygon (IntPtr geometry, float directocclusion, float reverbocclusion, bool doublesided, int numvertices, VECTOR[] vertices, out int polygonindex);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetNumPolygons (IntPtr geometry, out int numpolygons);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetMaxPolygons (IntPtr geometry, out int maxpolygons, out int maxvertices);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetPolygonNumVertices(IntPtr geometry, int index, out int numvertices);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_SetPolygonVertex (IntPtr geometry, int index, int vertexindex, ref VECTOR vertex);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetPolygonVertex (IntPtr geometry, int index, int vertexindex, out VECTOR vertex);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_SetPolygonAttributes (IntPtr geometry, int index, float directocclusion, float reverbocclusion, bool doublesided);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetPolygonAttributes (IntPtr geometry, int index, out float directocclusion, out float reverbocclusion, out bool doublesided);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_SetActive (IntPtr geometry, bool active);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetActive (IntPtr geometry, out bool active);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_SetRotation (IntPtr geometry, ref VECTOR forward, ref VECTOR up);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetRotation (IntPtr geometry, out VECTOR forward, out VECTOR up);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_SetPosition (IntPtr geometry, ref VECTOR position);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetPosition (IntPtr geometry, out VECTOR position);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_SetScale (IntPtr geometry, ref VECTOR scale);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetScale (IntPtr geometry, out VECTOR scale);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_Save (IntPtr geometry, IntPtr data, out int datasize);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_SetUserData (IntPtr geometry, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Geometry_GetUserData (IntPtr geometry, out IntPtr userdata);
#endregion
#region wrapperinternal
public Geometry(IntPtr raw)
: base(raw)
{
}
#endregion
}
/*
'Reverb3D' API
*/
public class Reverb3D : HandleBase
{
public RESULT release()
{
RESULT result = FMOD_Reverb3D_Release(getRaw());
if (result == RESULT.OK)
{
rawPtr = IntPtr.Zero;
}
return result;
}
// Reverb manipulation.
public RESULT set3DAttributes(ref VECTOR position, float mindistance, float maxdistance)
{
return FMOD_Reverb3D_Set3DAttributes(rawPtr, ref position, mindistance, maxdistance);
}
public RESULT get3DAttributes(ref VECTOR position, ref float mindistance, ref float maxdistance)
{
return FMOD_Reverb3D_Get3DAttributes(rawPtr, ref position, ref mindistance, ref maxdistance);
}
public RESULT setProperties(ref REVERB_PROPERTIES properties)
{
return FMOD_Reverb3D_SetProperties(rawPtr, ref properties);
}
public RESULT getProperties(ref REVERB_PROPERTIES properties)
{
return FMOD_Reverb3D_GetProperties(rawPtr, ref properties);
}
public RESULT setActive(bool active)
{
return FMOD_Reverb3D_SetActive(rawPtr, active);
}
public RESULT getActive(out bool active)
{
return FMOD_Reverb3D_GetActive(rawPtr, out active);
}
// Userdata set/get.
public RESULT setUserData(IntPtr userdata)
{
return FMOD_Reverb3D_SetUserData(rawPtr, userdata);
}
public RESULT getUserData(out IntPtr userdata)
{
return FMOD_Reverb3D_GetUserData(rawPtr, out userdata);
}
#region importfunctions
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_Release(IntPtr reverb);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_Set3DAttributes(IntPtr reverb, ref VECTOR position, float mindistance, float maxdistance);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_Get3DAttributes(IntPtr reverb, ref VECTOR position, ref float mindistance, ref float maxdistance);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_SetProperties(IntPtr reverb, ref REVERB_PROPERTIES properties);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_GetProperties(IntPtr reverb, ref REVERB_PROPERTIES properties);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_SetActive(IntPtr reverb, bool active);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_GetActive(IntPtr reverb, out bool active);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_SetUserData(IntPtr reverb, IntPtr userdata);
[DllImport(VERSION.dll)]
private static extern RESULT FMOD_Reverb3D_GetUserData(IntPtr reverb, out IntPtr userdata);
#endregion
#region wrapperinternal
public Reverb3D(IntPtr raw)
: base(raw)
{
}
#endregion
}
class StringMarshalHelper
{
static internal void NativeToBuilder(StringBuilder builder, IntPtr nativeMem)
{
byte[] bytes = new byte[builder.Capacity];
Marshal.Copy(nativeMem, bytes, 0, builder.Capacity);
String str = Encoding.UTF8.GetString(bytes, 0, Array.IndexOf(bytes, (byte)0));
builder.Append(str);
}
}
}
| 52.432622 | 460 | 0.64197 | [
"MIT"
] | Alec-Sobeck/3D-Game | libraries/windows/include/fmod/fmod.cs | 223,730 | C# |
using System.Collections;
using System.Collections.Generic;
using System.IO;
using System.Text;
using UnityEditor;
using UnityEngine;
/// <summary>
/// Creates an enum that has the layers from the Tags/Layers settings in a class.
/// Must be manually initiated.
/// </summary>
public class ToolsCreateLayers {
[MenuItem("Tools/Create Layers Enum")]
public static void CreateLayersEnum() {
var code = new StringBuilder();
code.AppendLine("using System;");
code.AppendLine();
code.AppendLine("/// <Summary>");
code.AppendLine("/// The set of all Layers defined in the Tags & Layers inspector.");
code.AppendLine("/// This file is auto-generated by the 'Tools/Create Layers Enum' menu.");
code.AppendLine("/// </Summary>");
code.AppendLine("[Flags]");
code.AppendLine("public enum Layers {");
code.AppendLine();
for(int i = 0; i < 32; ++i) {
var name = LayerMask.LayerToName(i);
if(!string.IsNullOrWhiteSpace(name)) {
var id = MakeValidIdentifier(name);
var bit = 1 << i;
code.AppendLine(" /// <Summary>");
code.AppendLine($" /// The layer `{name}` in position {i}");
code.AppendLine(" /// </Summary>");
code.AppendLine($" {id} = {bit},");
code.AppendLine();
}
}
code.AppendLine("}");
code.AppendLine();
code.AppendLine("public static class LayersExtensions {");
code.AppendLine();
code.AppendLine(" /// <Summary>");
code.AppendLine(" /// Determines if set of layers has the indicate layer");
code.AppendLine(" /// </Summary>");
code.AppendLine(" public static bool HasLayer(this Layers layers, Layers layer) {");
code.AppendLine(" return (layers & layer) == layer;");
code.AppendLine(" }");
code.AppendLine();
code.AppendLine("}");
code.AppendLine();
var directory = ("./Assets/Scripts/Generated");
var dir = Directory.CreateDirectory(directory);
var filename = Path.Combine(dir.FullName, "Layers.cs");
File.WriteAllText(filename, code.ToString());
AssetDatabase.ImportAsset("Assets/Scripts/Generated/Layers.cs", ImportAssetOptions.Default);
}
private static string MakeValidIdentifier(string name) {
return name.Replace(" ", "");
}
}
| 38.890625 | 100 | 0.582965 | [
"MIT"
] | aakison/editor-salsa-unity | Editor/ToolsCreateLayers.cs | 2,491 | C# |
using Microsoft.AspNetCore.Identity.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore;
using TaskManagerApp.Models;
namespace TaskManagerApp.data
{
public class ApiDbContext : IdentityDbContext
{
public virtual DbSet<TaskModel> tasks { get; set; }
public ApiDbContext(DbContextOptions<ApiDbContext> opt) : base(opt)
{
}
}
} | 25.866667 | 75 | 0.695876 | [
"MIT"
] | bahkali/100DaysC- | 13-TaskManager/TaskManagerApp/data/ApiDbContext.cs | 388 | C# |
// Copyright (c) Microsoft. All rights reserved.
namespace Microsoft.Azure.Devices.Edge.Agent.Service.Modules
{
using System;
using System.Collections.Generic;
using System.IO;
using System.Net;
using System.Threading;
using System.Threading.Tasks;
using Autofac;
using global::Docker.DotNet;
using global::Docker.DotNet.Models;
using Microsoft.Azure.Devices.Edge.Agent.Core;
using Microsoft.Azure.Devices.Edge.Agent.Core.ConfigSources;
using Microsoft.Azure.Devices.Edge.Agent.Core.DeviceManager;
using Microsoft.Azure.Devices.Edge.Agent.Core.Serde;
using Microsoft.Azure.Devices.Edge.Agent.Docker;
using Microsoft.Azure.Devices.Edge.Agent.IoTHub;
using Microsoft.Azure.Devices.Edge.Agent.IoTHub.SdkClient;
using Microsoft.Azure.Devices.Edge.Storage;
using Microsoft.Azure.Devices.Edge.Util;
using Microsoft.Azure.Devices.Edge.Util.Metrics;
using Microsoft.Extensions.Logging;
public class DockerModule : Module
{
readonly string deviceId;
readonly string iotHubHostName;
readonly string edgeDeviceConnectionString;
readonly string gatewayHostName;
readonly Uri dockerHostname;
readonly IEnumerable<AuthConfig> dockerAuthConfig;
readonly Option<UpstreamProtocol> upstreamProtocol;
readonly Option<IWebProxy> proxy;
readonly string productInfo;
readonly bool closeOnIdleTimeout;
readonly TimeSpan idleTimeout;
readonly bool useServerHeartbeat;
readonly string backupConfigFilePath;
public DockerModule(
string edgeDeviceConnectionString,
string gatewayHostName,
Uri dockerHostname,
IEnumerable<AuthConfig> dockerAuthConfig,
Option<UpstreamProtocol> upstreamProtocol,
Option<IWebProxy> proxy,
string productInfo,
bool closeOnIdleTimeout,
TimeSpan idleTimeout,
bool useServerHeartbeat,
string backupConfigFilePath)
{
this.edgeDeviceConnectionString = Preconditions.CheckNonWhiteSpace(edgeDeviceConnectionString, nameof(edgeDeviceConnectionString));
this.gatewayHostName = Preconditions.CheckNonWhiteSpace(gatewayHostName, nameof(gatewayHostName));
IotHubConnectionStringBuilder connectionStringParser = IotHubConnectionStringBuilder.Create(this.edgeDeviceConnectionString);
this.deviceId = connectionStringParser.DeviceId;
this.iotHubHostName = connectionStringParser.HostName;
this.dockerHostname = Preconditions.CheckNotNull(dockerHostname, nameof(dockerHostname));
this.dockerAuthConfig = Preconditions.CheckNotNull(dockerAuthConfig, nameof(dockerAuthConfig));
this.upstreamProtocol = Preconditions.CheckNotNull(upstreamProtocol, nameof(upstreamProtocol));
this.proxy = Preconditions.CheckNotNull(proxy, nameof(proxy));
this.productInfo = Preconditions.CheckNotNull(productInfo, nameof(productInfo));
this.closeOnIdleTimeout = closeOnIdleTimeout;
this.idleTimeout = idleTimeout;
this.useServerHeartbeat = useServerHeartbeat;
this.backupConfigFilePath = Preconditions.CheckNonWhiteSpace(backupConfigFilePath, nameof(backupConfigFilePath));
}
protected override void Load(ContainerBuilder builder)
{
// IModuleClientProvider
string edgeAgentConnectionString = $"{this.edgeDeviceConnectionString};{Constants.ModuleIdKey}={Constants.EdgeAgentModuleIdentityName}";
builder.Register(
c => new ModuleClientProvider(
edgeAgentConnectionString,
c.Resolve<ISdkModuleClientProvider>(),
this.upstreamProtocol,
this.proxy,
this.productInfo,
this.closeOnIdleTimeout,
this.idleTimeout,
this.useServerHeartbeat))
.As<IModuleClientProvider>()
.SingleInstance();
// IServiceClient
builder.Register(c => new RetryingServiceClient(new ServiceClient(this.edgeDeviceConnectionString, this.deviceId)))
.As<IServiceClient>()
.SingleInstance();
// IModuleIdentityLifecycleManager
builder.Register(c => new ModuleIdentityLifecycleManager(c.Resolve<IServiceClient>(), this.iotHubHostName, this.deviceId, this.gatewayHostName))
.As<IModuleIdentityLifecycleManager>()
.SingleInstance();
// IDockerClient
builder.Register(c => new DockerClientConfiguration(this.dockerHostname).CreateClient())
.As<IDockerClient>()
.SingleInstance();
// ICombinedConfigProvider<CombinedDockerConfig>
builder.Register(c => new CombinedDockerConfigProvider(this.dockerAuthConfig))
.As<ICombinedConfigProvider<CombinedDockerConfig>>()
.SingleInstance();
// ICommandFactory
builder.Register(
async c =>
{
var dockerClient = c.Resolve<IDockerClient>();
var dockerLoggingConfig = c.Resolve<DockerLoggingConfig>();
var combinedDockerConfigProvider = c.Resolve<ICombinedConfigProvider<CombinedDockerConfig>>();
IConfigSource configSource = await c.Resolve<Task<IConfigSource>>();
ICommandFactory factory = new DockerCommandFactory(dockerClient, dockerLoggingConfig, configSource, combinedDockerConfigProvider);
factory = new MetricsCommandFactory(factory, c.Resolve<IMetricsProvider>());
return new LoggingCommandFactory(factory, c.Resolve<ILoggerFactory>()) as ICommandFactory;
})
.As<Task<ICommandFactory>>()
.SingleInstance();
// IRuntimeInfoProvider
builder.Register(
async c =>
{
IRuntimeInfoProvider runtimeInfoProvider = await RuntimeInfoProvider.CreateAsync(c.Resolve<IDockerClient>());
return runtimeInfoProvider;
})
.As<Task<IRuntimeInfoProvider>>()
.SingleInstance();
// Task<IEnvironmentProvider>
builder.Register(
async c =>
{
var moduleStateStore = await c.Resolve<Task<IEntityStore<string, ModuleState>>>();
var restartPolicyManager = c.Resolve<IRestartPolicyManager>();
IRuntimeInfoProvider runtimeInfoProvider = await c.Resolve<Task<IRuntimeInfoProvider>>();
IEnvironmentProvider dockerEnvironmentProvider = await DockerEnvironmentProvider.CreateAsync(runtimeInfoProvider, moduleStateStore, restartPolicyManager, CancellationToken.None);
return dockerEnvironmentProvider;
})
.As<Task<IEnvironmentProvider>>()
.SingleInstance();
// Task<IBackupSource>
builder.Register(
async c =>
{
var serde = c.Resolve<ISerde<DeploymentConfigInfo>>();
var encryptionProviderTask = c.Resolve<Task<IEncryptionProvider>>();
IDeploymentBackupSource backupSource = new DeploymentFileBackup(this.backupConfigFilePath, serde, await encryptionProviderTask);
return backupSource;
})
.As<Task<IDeploymentBackupSource>>()
.SingleInstance();
// IDeviceManager
builder.Register(c => new NullDeviceManager())
.As<IDeviceManager>()
.SingleInstance();
}
}
}
| 48.939394 | 202 | 0.630341 | [
"MIT"
] | ArtofIOT/Azure-iotedge | edge-agent/src/Microsoft.Azure.Devices.Edge.Agent.Service/modules/DockerModule.cs | 8,075 | C# |
using CodeGenerator.Enums;
using System;
using System.Collections.Generic;
using System.Linq;
namespace CodeGenerator
{
public class ClassModel : BaseElement
{
public ClassModel(string name = null)
{
base.CustomDataType = Util.Class;
base.Name = name;
Constructors.Add(new Constructor(Name) { IsVisible = false, BracesInNewLine = false });
}
public override int IndentSize { get; set; } = (int)IndentType.Single * JavaCodeGenerator.DefaultTabSize;
public bool HasPropertiesSpacing { get; set; } = true;
public bool AutoGenerateProperties { get; set; }
public new string BuiltInDataType { get; }
public override string CustomDataType { get; set; } = Util.Class;
public new string Name => base.Name;
public List<string> EnumList { get; set; } = new List<string>();
public string BaseClass { get; set; }
public string Package { get; set; }
public List<string> Interfaces { get; set; } = new List<string>();
public List<string> Imports { get; set; } = new List<string>();
public List<string> Annotations { get; set; } = new List<string>();
public virtual List<Field> Fields { get; set; } = new List<Field>();
public virtual List<Constructor> Constructors { get; set; } = new List<Constructor>();
public bool IsGetOnly { get; set; } = false;
public virtual Constructor DefaultConstructor
{
get { return Constructors[0]; }
set { Constructors[0] = value; }
}
public virtual List<Property> Properties { get; set; } = new List<Property>();
public virtual List<Method> Methods { get; set; } = new List<Method>();
public virtual List<ClassModel> NestedClasses { get; set; } = new List<ClassModel>();
// Nested indent have to be set for each Nested element and subelement separately, or after generation manualy to select nested code and indent it with tab
// Setting it automaticaly and propagating could be done if the parent sets the child's parent reference (to itself) when the child is added/assigned to a parent. Parent setter is internal.
// http://softwareengineering.stackexchange.com/questions/261453/what-is-the-best-way-to-initialize-a-childs-reference-to-its-parent
public override string ToString()
{
if (AutoGenerateProperties)
{
Properties.Clear();
foreach (var field in Fields)
{
Properties.Add(new Property(field.BuiltInDataType, field.Name)
{
IsGetOnly = IsGetOnly
});
}
}
string result = string.Empty;
result += $"{Package}";
result += Util.NewLine;
result += Util.NewLine;
if (Imports.Any())
{
foreach (var import in Imports)
{
result += $"{import}";
result += Util.NewLine;
}
}
result += Util.NewLine;
if (Annotations.Any())
{
foreach (var annotation in Annotations)
{
result += annotation;
result += Util.NewLine;
}
}
result += base.ToString();
result += (BaseClass != null || Interfaces?.Count > 0) ? $" : " : "";
result += BaseClass ?? "";
result += (BaseClass != null && Interfaces?.Count > 0) ? $", " : "";
result += Interfaces?.Count > 0 ? string.Join(", ", Interfaces) : "";
result += " {";
result += Util.NewLine;
result += string.Join("", Fields);
var visibleConstructors = Constructors.Where(a => a.IsVisible);
bool hasFieldsBeforeConstructor = visibleConstructors.Any() && Fields.Any();
result += string.Join("," + Util.NewLine, EnumList);
result += hasFieldsBeforeConstructor ? Util.NewLine : "";
result += string.Join(Util.NewLine, visibleConstructors);
bool hasMembersAfterConstructor = (visibleConstructors.Any() || Fields.Any()) &&
(Properties.Any() || Methods.Any());
result += hasMembersAfterConstructor ? Util.NewLine : "";
result += string.Join(HasPropertiesSpacing ? Util.NewLine : "", Properties);
bool hasPropertiesAndMethods = Properties.Count > 0 && Methods.Count > 0;
result += hasMembersAfterConstructor ? Util.NewLine : "";
result += string.Join(Util.NewLine, Methods);
result += NestedClasses.Count > 0 ? Util.NewLine : "";
result += string.Join(Util.NewLine, NestedClasses);
result += Util.NewLine + "}";
return result;
}
}
} | 37.571429 | 197 | 0.557935 | [
"MIT"
] | michaelhutchful/CodeGenerator | CsCodeGenerator/ClassModel.cs | 4,999 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace MAB.SimpleMapper.Test
{
public class EntityPrivateProperties
{
public int ID { get; set; }
public string Name { get; set; }
public string Email { get; set; }
}
}
| 19.733333 | 41 | 0.655405 | [
"MIT"
] | markashleybell/mab.lib.simplemapper | MAB.SimpleMapper.Test/EntityPrivateProperties.cs | 298 | C# |
namespace CosmicJam.Library.Controls.SongEditing {
using CosmicJam.Library.Services;
using Macabre2D.Framework;
using Macabre2D.Wpf.MonoGameIntegration;
using Microsoft.Xna.Framework;
using Microsoft.Xna.Framework.Graphics;
using System;
using System.Windows;
using Point = Microsoft.Xna.Framework.Point;
public class SongEditor : MonoGameViewModel, IGame {
public const string SpriteSheetPath = "PianoRollSpriteSheet";
private static readonly Point BlackPressedKeySpriteLocation = new Point(0, 32);
private static readonly Point BlackUnpressedKeySpriteLocation = new Point(0, 0);
private static readonly Point PianoKeySpriteSize = new Point(32, 16);
private static readonly Point WhitePressedKeySpriteLocation = new Point(0, 48);
private static readonly Point WhiteUnpressedKeySpriteLocation = new Point(0, 16);
private readonly Sprite _blackKeyPressed;
private readonly Sprite _blackKeyUnpressed;
private readonly Camera _camera;
private readonly ISongService _songService;
private readonly Sprite _whiteKeyPressed;
private readonly Sprite _whiteKeyUnpressed;
private InputState _currentInputState;
private FrameTime _frameTime;
private bool _isContentLoaded = false;
private bool _isInitialized = false;
private LiveSongPlayer _liveSongPlayer;
private PianoComponent _pianoComponent;
private Point _viewportSize;
public SongEditor(ISongService songService) : base() {
this._songService = songService;
this.Settings = new GameSettings() {
PixelsPerUnit = 16
};
GameSettings.Instance = this.Settings;
MacabreGame.Instance = this;
this.CurrentScene = new Scene {
BackgroundColor = Color.Black
};
this._camera = this.CurrentScene.AddChild<Camera>();
this._camera.ViewHeight = 36f;
this._camera.OffsetSettings.OffsetType = PixelOffsetType.BottomLeft;
this._camera.LocalPosition = Vector2.Zero;
this.AssetManager.SetMapping(Guid.NewGuid(), SpriteSheetPath);
var spriteSheetId = this.AssetManager.GetId(SpriteSheetPath);
this._blackKeyUnpressed = new Sprite(spriteSheetId, BlackUnpressedKeySpriteLocation, PianoKeySpriteSize);
this._blackKeyPressed = new Sprite(spriteSheetId, BlackPressedKeySpriteLocation, PianoKeySpriteSize);
this._whiteKeyUnpressed = new Sprite(spriteSheetId, WhiteUnpressedKeySpriteLocation, PianoKeySpriteSize);
this._whiteKeyPressed = new Sprite(spriteSheetId, WhitePressedKeySpriteLocation, PianoKeySpriteSize);
}
public event EventHandler<double> GameSpeedChanged;
public event EventHandler<Point> ViewportSizeChanged;
public IAssetManager AssetManager { get; } = new AssetManager();
public IScene CurrentScene { get; }
public double GameSpeed {
get {
return 1f;
}
set {
this.GameSpeedChanged.SafeInvoke(this, 1f);
}
}
public GraphicsSettings GraphicsSettings { get; } = new GraphicsSettings();
public bool IsDesignMode {
get {
return true;
}
}
public ISaveDataManager SaveDataManager { get; } = new EmptySaveDataManager();
public IGameSettings Settings { get; }
public bool ShowGrid { get; internal set; } = true;
public bool ShowSelection { get; internal set; } = true;
public SpriteBatch SpriteBatch { get; private set; }
public Point ViewportSize {
get {
return this._viewportSize;
}
}
public override void Draw(GameTime gameTime) {
if (this._isInitialized && this._isContentLoaded) {
this.GraphicsDevice.Clear(this.CurrentScene.BackgroundColor);
this.CurrentScene.Draw(this._frameTime);
}
}
public void Exit() {
return;
}
public override void Initialize(MonoGameKeyboard keyboard, MonoGameMouse mouse) {
base.Initialize(keyboard, mouse);
this.SpriteBatch = new SpriteBatch(this.GraphicsDevice);
this.AssetManager.Initialize(this.Content);
this._songService.PropertyChanged += this.SongService_PropertyChanged;
this.ResetPianoRoll();
this.CurrentScene.Initialize();
this._isInitialized = true;
}
public override void LoadContent() {
this.CurrentScene.LoadContent();
this._isContentLoaded = true;
}
public void ResetCamera() {
// This probably seems weird, but it resets the view height which causes the view matrix
// and bounding area to be reevaluated.
this._camera.ViewHeight += 1;
this._camera.ViewHeight -= 1;
}
public void SaveAndApplyGraphicsSettings() {
return;
}
public override void SizeChanged(object sender, SizeChangedEventArgs e) {
this._viewportSize = new Point(Convert.ToInt32(e.NewSize.Width), Convert.ToInt32(e.NewSize.Height));
this.ViewportSizeChanged.SafeInvoke(this, this._viewportSize);
if (e.NewSize.Width > e.PreviousSize.Width || e.NewSize.Height > e.PreviousSize.Height) {
this.ResetCamera();
}
}
public override void Update(GameTime gameTime) {
this._currentInputState = new InputState(MonoGameMouse.Instance.GetState(), MonoGameKeyboard.Instance.GetState(), this._currentInputState);
this._frameTime = new FrameTime(gameTime, this.GameSpeed);
this.CurrentScene.Update(this._frameTime, this._currentInputState);
}
protected override void Dispose(bool disposing) {
base.Dispose(disposing);
if (disposing) {
this._songService.PropertyChanged -= this.SongService_PropertyChanged;
}
}
private void ResetPianoRoll() {
if (this._pianoComponent != null) {
this.CurrentScene.RemoveComponent(this._pianoComponent);
}
FrameworkDispatcher.Update();
this._liveSongPlayer = new LiveSongPlayer(this._songService.CurrentSong);
this._pianoComponent = new PianoComponent(this._liveSongPlayer, this._whiteKeyUnpressed, this._whiteKeyPressed, this._blackKeyUnpressed, this._blackKeyPressed);
this._pianoComponent.SamplesPerBuffer = 1000;
this.CurrentScene.AddChild(this._pianoComponent);
}
private void SongService_PropertyChanged(object sender, System.ComponentModel.PropertyChangedEventArgs e) {
if (e.PropertyName == nameof(ISongService.CurrentSong)) {
this.ResetPianoRoll();
}
}
}
} | 39.411111 | 172 | 0.645052 | [
"MIT"
] | BrettStory/CosmicJam | Library/Controls/SongEditing/SongEditor.cs | 7,096 | C# |
using ScriptConverter.Parser;
namespace ScriptConverter.Ast.Expressions
{
class InstanceOfExpression : Expression
{
public Expression Left { get; private set; }
public ScriptType Type { get; private set; }
public InstanceOfExpression(ScriptToken end, Expression left, ScriptType type)
: base(left.Start, end)
{
Left = left;
Type = type;
}
public override TExpr Accept<TDoc, TDecl, TStmt, TExpr>(IAstVisitor<TDoc, TDecl, TStmt, TExpr> visitor)
{
return visitor.Visit(this);
}
public override void SetParent(Expression parent)
{
Parent = parent;
Left.SetParent(this);
}
}
}
| 25 | 111 | 0.586667 | [
"MIT"
] | Rohansi/SWG-ScriptConverter | ScriptConverter/Ast/Expressions/InstanceOfExpression.cs | 752 | C# |
using System;
using Bytewizer.TinyCLR.Http;
using Bytewizer.Playground.Json.Models;
namespace Bytewizer.Playground.Json
{
class Program
{
private static Person[] _persons;
static void Main()
{
NetworkProvider.InitializeEthernet();
InitJson();
var server = new HttpServer(options =>
{
options.Pipeline(app =>
{
app.UseRouting();
app.UseEndpoints(endpoints =>
{
endpoints.Map("/", context =>
{
string response = "<doctype !html><html><head><meta http-equiv='refresh' content='5'><title>Hello, world!</title>" +
"<style>body { background-color: #43bc69 } h1 { font-size:2cm; text-align: center; color: white;}</style></head>" +
"<body><h1>" + DateTime.Now.Ticks.ToString() + "</h1></body></html>";
context.Response.Write(response);
});
endpoints.Map("/person", context =>
{
// Post a request with the following content as the body and content type of application/json.
// {"Id": 100,"Suffix": "I", "Title": "Mr.","LastName": "Crona","Phone":
// "(458)-857-7797","Gender": 0,"FirstName": "Roscoe","MiddleName": "Jerald","Email": "Roscoe@gmail.com",
// "DOB": "2017-01-01T00:00:53.967Z"}
if (context.Request.Method != HttpMethods.Post)
{
context.Response.StatusCode = StatusCodes.Status405MethodNotAllowed;
return;
}
if (context.Request.ReadFromJson(typeof(Person)) is Person person)
{
string response = "<doctype !html><html><head><title>Hello, world!" +
"</title></head><body><h1>" + person.FirstName + " " + person.LastName + "</h1></body></html>";
context.Response.StatusCode = StatusCodes.Status202Accepted;
context.Response.Write(response);
}
else
{
context.Response.StatusCode = StatusCodes.Status204NoContent;
}
});
endpoints.Map("/json", context =>
{
context.Response.WriteJson(_persons, true);
});
endpoints.Map("/info", context =>
{
var deviceInfo = new DeviceModel();
context.Response.WriteJson(deviceInfo, true);
});
});
});
});
server.Start();
}
static void InitJson()
{
_persons = new Person[2];
var rjc = new Person()
{
Id = 100,
FirstName = "Roscoe",
MiddleName = "Jerald",
LastName = "Crona",
Title = "Mr.",
DOB = DateTime.Now,
Email = "Roscoe@gmail.com",
Gender = Gender.Male,
Suffix = "I",
Phone = "(458)-857-7797"
};
_persons[0] = rjc;
var jpc = new Person()
{
Id = 101,
FirstName = "Jennifer",
MiddleName = "Parker",
LastName = "Crona",
Title = "Ms.",
DOB = DateTime.Now,
Email = "Jpc@gmail.com",
Gender = Gender.Female,
Suffix = "K",
Phone = "(342)-337-4397"
};
_persons[1] = jpc;
}
}
} | 38.297297 | 161 | 0.38885 | [
"MIT"
] | bytewizer/microserver | playground/json/Program.cs | 4,253 | C# |
#pragma checksum "..\..\..\Controls\StockPage.xaml" "{406ea660-64cf-4c82-b6f0-42d48172a799}" "1A861268DB027D11614E5612772F98C6"
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by a tool.
// Runtime Version:4.0.30319.34209
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
using System;
using System.ComponentModel;
using System.Diagnostics;
using System.Windows;
using System.Windows.Automation;
using System.Windows.Controls;
using System.Windows.Controls.Primitives;
using System.Windows.Data;
using System.Windows.Documents;
using System.Windows.Ink;
using System.Windows.Input;
using System.Windows.Markup;
using System.Windows.Media;
using System.Windows.Media.Animation;
using System.Windows.Media.Effects;
using System.Windows.Media.Imaging;
using System.Windows.Media.Media3D;
using System.Windows.Media.TextFormatting;
using System.Windows.Navigation;
using System.Windows.Shapes;
using System.Windows.Shell;
using Xceed.Wpf.DataGrid;
using Xceed.Wpf.DataGrid.Automation;
using Xceed.Wpf.DataGrid.Converters;
using Xceed.Wpf.DataGrid.FilterCriteria;
using Xceed.Wpf.DataGrid.Markup;
using Xceed.Wpf.DataGrid.ValidationRules;
using Xceed.Wpf.DataGrid.Views;
using Xceed.Wpf.Toolkit;
using Xceed.Wpf.Toolkit.Chromes;
using Xceed.Wpf.Toolkit.Core.Converters;
using Xceed.Wpf.Toolkit.Core.Input;
using Xceed.Wpf.Toolkit.Core.Media;
using Xceed.Wpf.Toolkit.Core.Utilities;
using Xceed.Wpf.Toolkit.Panels;
using Xceed.Wpf.Toolkit.Primitives;
using Xceed.Wpf.Toolkit.PropertyGrid;
using Xceed.Wpf.Toolkit.PropertyGrid.Attributes;
using Xceed.Wpf.Toolkit.PropertyGrid.Commands;
using Xceed.Wpf.Toolkit.PropertyGrid.Converters;
using Xceed.Wpf.Toolkit.PropertyGrid.Editors;
using Xceed.Wpf.Toolkit.Zoombox;
namespace MachenicWpf.Controls {
/// <summary>
/// StockPage
/// </summary>
public partial class StockPage : System.Windows.Controls.UserControl, System.Windows.Markup.IComponentConnector, System.Windows.Markup.IStyleConnector {
#line 40 "..\..\..\Controls\StockPage.xaml"
[System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1823:AvoidUnusedPrivateFields")]
internal Xceed.Wpf.Toolkit.DoubleUpDown txtQuantity;
#line default
#line hidden
#line 63 "..\..\..\Controls\StockPage.xaml"
[System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1823:AvoidUnusedPrivateFields")]
internal Xceed.Wpf.DataGrid.DataGridControl _dataGrid;
#line default
#line hidden
private bool _contentLoaded;
/// <summary>
/// InitializeComponent
/// </summary>
[System.Diagnostics.DebuggerNonUserCodeAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("PresentationBuildTasks", "4.0.0.0")]
public void InitializeComponent() {
if (_contentLoaded) {
return;
}
_contentLoaded = true;
System.Uri resourceLocater = new System.Uri("/MachenicWpf;component/controls/stockpage.xaml", System.UriKind.Relative);
#line 1 "..\..\..\Controls\StockPage.xaml"
System.Windows.Application.LoadComponent(this, resourceLocater);
#line default
#line hidden
}
[System.Diagnostics.DebuggerNonUserCodeAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("PresentationBuildTasks", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)]
[System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Design", "CA1033:InterfaceMethodsShouldBeCallableByChildTypes")]
[System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity")]
[System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1800:DoNotCastUnnecessarily")]
void System.Windows.Markup.IComponentConnector.Connect(int connectionId, object target) {
switch (connectionId)
{
case 1:
this.txtQuantity = ((Xceed.Wpf.Toolkit.DoubleUpDown)(target));
return;
case 2:
#line 56 "..\..\..\Controls\StockPage.xaml"
((System.Windows.Controls.Button)(target)).Click += new System.Windows.RoutedEventHandler(this.SeachClick);
#line default
#line hidden
return;
case 3:
#line 61 "..\..\..\Controls\StockPage.xaml"
((System.Windows.Controls.Button)(target)).Click += new System.Windows.RoutedEventHandler(this.CreateNewMaterial);
#line default
#line hidden
return;
case 4:
this._dataGrid = ((Xceed.Wpf.DataGrid.DataGridControl)(target));
return;
}
this._contentLoaded = true;
}
[System.Diagnostics.DebuggerNonUserCodeAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("PresentationBuildTasks", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)]
[System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Design", "CA1033:InterfaceMethodsShouldBeCallableByChildTypes")]
[System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1800:DoNotCastUnnecessarily")]
[System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity")]
void System.Windows.Markup.IStyleConnector.Connect(int connectionId, object target) {
switch (connectionId)
{
case 5:
#line 68 "..\..\..\Controls\StockPage.xaml"
((System.Windows.Controls.Button)(target)).Click += new System.Windows.RoutedEventHandler(this.OnEditMaterial);
#line default
#line hidden
break;
case 6:
#line 69 "..\..\..\Controls\StockPage.xaml"
((System.Windows.Controls.Button)(target)).Click += new System.Windows.RoutedEventHandler(this.OnDeleteMaterial);
#line default
#line hidden
break;
}
}
}
}
| 40.771084 | 156 | 0.657654 | [
"MIT"
] | chithanh12/machenic | MachenicWpf/obj/Debug/Controls/StockPage.g.cs | 6,770 | C# |
using System.Collections.Generic;
using UnityEngine;
using FairyGUI.Utils;
namespace FairyGUI
{
/// <summary>
/// GLoader class
/// </summary>
public class GLoader : GObject, IAnimationGear, IColorGear
{
/// <summary>
/// Display an error sign if the loader fails to load the content.
/// </summary>
public bool showErrorSign;
string _url;
AlignType _align;
VertAlignType _verticalAlign;
bool _autoSize;
FillType _fill;
bool _updatingLayout;
PackageItem _contentItem;
float _contentWidth;
float _contentHeight;
float _contentSourceWidth;
float _contentSourceHeight;
MovieClip _content;
GObject _errorSign;
static GObjectPool errorSignPool;
public GLoader()
{
_url = string.Empty;
_align = AlignType.Left;
_verticalAlign = VertAlignType.Top;
showErrorSign = true;
}
override protected void CreateDisplayObject()
{
displayObject = new Container("GLoader");
displayObject.gOwner = this;
_content = new MovieClip();
((Container)displayObject).AddChild(_content);
((Container)displayObject).opaque = true;
}
override public void Dispose()
{
if (_content.texture != null)
{
if (_contentItem == null)
FreeExternal(image.texture);
}
if (_errorSign != null)
_errorSign.Dispose();
_content.Dispose();
base.Dispose();
}
/// <summary>
///
/// </summary>
public string url
{
get { return _url; }
set
{
if (_url == value)
return;
_url = value;
LoadContent();
UpdateGear(7);
}
}
override public string icon
{
get { return _url; }
set { this.url = value; }
}
/// <summary>
///
/// </summary>
public AlignType align
{
get { return _align; }
set
{
if (_align != value)
{
_align = value;
UpdateLayout();
}
}
}
/// <summary>
///
/// </summary>
public VertAlignType verticalAlign
{
get { return _verticalAlign; }
set
{
if (_verticalAlign != value)
{
_verticalAlign = value;
UpdateLayout();
}
}
}
/// <summary>
///
/// </summary>
public FillType fill
{
get { return _fill; }
set
{
if (_fill != value)
{
_fill = value;
UpdateLayout();
}
}
}
/// <summary>
///
/// </summary>
public bool autoSize
{
get { return _autoSize; }
set
{
if (_autoSize != value)
{
_autoSize = value;
UpdateLayout();
}
}
}
/// <summary>
///
/// </summary>
public bool playing
{
get { return _content.playing; }
set
{
_content.playing = value;
UpdateGear(5);
}
}
/// <summary>
///
/// </summary>
public int frame
{
get { return _content.currentFrame; }
set
{
_content.currentFrame = value;
UpdateGear(5);
}
}
/// <summary>
///
/// </summary>
public Material material
{
get { return _content.material; }
set { _content.material = value; }
}
/// <summary>
///
/// </summary>
public string shader
{
get { return _content.shader; }
set { _content.shader = value; }
}
/// <summary>
///
/// </summary>
public Color color
{
get { return _content.color; }
set
{
_content.color = value;
UpdateGear(4);
}
}
/// <summary>
///
/// </summary>
public FillMethod fillMethod
{
get { return _content.fillMethod; }
set { _content.fillMethod = value; }
}
/// <summary>
///
/// </summary>
public int fillOrigin
{
get { return _content.fillOrigin; }
set { _content.fillOrigin = value; }
}
/// <summary>
///
/// </summary>
public bool fillClockwise
{
get { return _content.fillClockwise; }
set { _content.fillClockwise = value; }
}
/// <summary>
///
/// </summary>
public float fillAmount
{
get { return _content.fillAmount; }
set { _content.fillAmount = value; }
}
/// <summary>
///
/// </summary>
public Image image
{
get { return _content; }
}
/// <summary>
///
/// </summary>
public MovieClip movieClip
{
get { return _content; }
}
/// <summary>
///
/// </summary>
public NTexture texture
{
get
{
return _content.texture;
}
set
{
this.url = null;
_content.texture = value;
if (value != null)
{
_contentSourceWidth = value.width;
_contentSourceHeight = value.height;
}
else
{
_contentSourceWidth = _contentHeight = 0;
}
UpdateLayout();
}
}
override public IFilter filter
{
get { return _content.filter; }
set { _content.filter = value; }
}
override public BlendMode blendMode
{
get { return _content.blendMode; }
set { _content.blendMode = value; }
}
/// <summary>
///
/// </summary>
protected void LoadContent()
{
ClearContent();
if (string.IsNullOrEmpty(_url))
return;
if (_url.StartsWith(UIPackage.URL_PREFIX))
LoadFromPackage(_url);
else
LoadExternal();
}
protected void LoadFromPackage(string itemURL)
{
_contentItem = UIPackage.GetItemByURL(itemURL);
if (_contentItem != null)
{
_contentItem.Load();
if (_contentItem.type == PackageItemType.Image)
{
_content.texture = _contentItem.texture;
_content.scale9Grid = _contentItem.scale9Grid;
_content.scaleByTile = _contentItem.scaleByTile;
_content.tileGridIndice = _contentItem.tileGridIndice;
_contentSourceWidth = _contentItem.width;
_contentSourceHeight = _contentItem.height;
UpdateLayout();
}
else if (_contentItem.type == PackageItemType.MovieClip)
{
_contentSourceWidth = _contentItem.width;
_contentSourceHeight = _contentItem.height;
_content.interval = _contentItem.interval;
_content.swing = _contentItem.swing;
_content.repeatDelay = _contentItem.repeatDelay;
_content.SetData(_contentItem.texture, _contentItem.frames, new Rect(0, 0, _contentSourceWidth, _contentSourceHeight));
UpdateLayout();
}
else
{
if (_autoSize)
this.SetSize(_contentItem.width, _contentItem.height);
SetErrorState();
}
}
else
SetErrorState();
}
virtual protected void LoadExternal()
{
Texture2D tex = (Texture2D)Resources.Load(this.url, typeof(Texture2D));
if (tex != null)
onExternalLoadSuccess(new NTexture(tex));
else
onExternalLoadFailed();
}
virtual protected void FreeExternal(NTexture texture)
{
}
protected void onExternalLoadSuccess(NTexture texture)
{
_content.texture = texture;
_contentSourceWidth = texture.width;
_contentSourceHeight = texture.height;
_content.scale9Grid = null;
_content.scaleByTile = false;
UpdateLayout();
}
protected void onExternalLoadFailed()
{
SetErrorState();
}
private void SetErrorState()
{
if (!showErrorSign || !Application.isPlaying)
return;
if (_errorSign == null)
{
if (UIConfig.loaderErrorSign != null)
{
if (errorSignPool == null)
errorSignPool = new GObjectPool(Stage.inst.CreatePoolManager("LoaderErrorSignPool"));
_errorSign = errorSignPool.GetObject(UIConfig.loaderErrorSign);
}
else
return;
}
if (_errorSign != null)
{
_errorSign.SetSize(this.width, this.height);
((Container)displayObject).AddChild(_errorSign.displayObject);
}
}
private void ClearErrorState()
{
if (_errorSign != null)
{
((Container)displayObject).RemoveChild(_errorSign.displayObject);
errorSignPool.ReturnObject(_errorSign);
_errorSign = null;
}
}
private void UpdateLayout()
{
if (_content.texture == null && _content.frameCount == 0)
{
if (_autoSize)
{
_updatingLayout = true;
this.SetSize(50, 30);
_updatingLayout = false;
}
return;
}
_contentWidth = _contentSourceWidth;
_contentHeight = _contentSourceHeight;
if (_autoSize)
{
_updatingLayout = true;
if (_contentWidth == 0)
_contentWidth = 50;
if (_contentHeight == 0)
_contentHeight = 30;
this.SetSize(_contentWidth, _contentHeight);
_updatingLayout = false;
if (_width == _contentWidth && _height == _contentHeight)
{
_content.SetScale(1, 1);
if (_content.texture != null)
_content.SetNativeSize();
return;
}
//如果不相等,可能是由于大小限制造成的,要后续处理
}
float sx = 1, sy = 1;
if (_fill != FillType.None)
{
sx = this.width / _contentSourceWidth;
sy = this.height / _contentSourceHeight;
if (sx != 1 || sy != 1)
{
if (_fill == FillType.ScaleMatchHeight)
sx = sy;
else if (_fill == FillType.ScaleMatchWidth)
sy = sx;
else if (_fill == FillType.Scale)
{
if (sx > sy)
sx = sy;
else
sy = sx;
}
_contentWidth = Mathf.FloorToInt(_contentSourceWidth * sx);
_contentHeight = Mathf.FloorToInt(_contentSourceHeight * sy);
}
}
if (_content.texture != null)
{
_content.SetScale(1, 1);
_content.size = new Vector2(_contentWidth, _contentHeight);
}
else
_content.SetScale(sx, sy);
float nx;
float ny;
if (_align == AlignType.Center)
nx = Mathf.FloorToInt((this.width - _contentWidth) / 2);
else if (_align == AlignType.Right)
nx = Mathf.FloorToInt(this.width - _contentWidth);
else
nx = 0;
if (_verticalAlign == VertAlignType.Middle)
ny = Mathf.FloorToInt((this.height - _contentHeight) / 2);
else if (_verticalAlign == VertAlignType.Bottom)
ny = Mathf.FloorToInt(this.height - _contentHeight);
else
ny = 0;
_content.SetXY(nx, ny);
}
private void ClearContent()
{
ClearErrorState();
if (_content.texture != null)
{
if (_contentItem == null)
FreeExternal(image.texture);
_content.texture = null;
}
_content.Clear();
_contentItem = null;
}
override protected void HandleSizeChanged()
{
base.HandleSizeChanged();
if (!_updatingLayout)
UpdateLayout();
}
override public void Setup_BeforeAdd(XML xml)
{
base.Setup_BeforeAdd(xml);
string str;
str = xml.GetAttribute("url");
if (str != null)
_url = str;
str = xml.GetAttribute("align");
if (str != null)
_align = FieldTypes.ParseAlign(str);
str = xml.GetAttribute("vAlign");
if (str != null)
_verticalAlign = FieldTypes.ParseVerticalAlign(str);
str = xml.GetAttribute("fill");
if (str != null)
_fill = FieldTypes.ParseFillType(str);
_autoSize = xml.GetAttributeBool("autoSize", false);
str = xml.GetAttribute("errorSign");
if (str != null)
showErrorSign = str == "true";
str = xml.GetAttribute("frame");
if (str != null)
_content.currentFrame = int.Parse(str);
_content.playing = xml.GetAttributeBool("playing", true);
str = xml.GetAttribute("color");
if (str != null)
_content.color = ToolSet.ConvertFromHtmlColor(str);
str = xml.GetAttribute("fillMethod");
if (str != null)
_content.fillMethod = FieldTypes.ParseFillMethod(str);
if (_content.fillMethod != FillMethod.None)
{
_content.fillOrigin = xml.GetAttributeInt("fillOrigin");
_content.fillClockwise = xml.GetAttributeBool("fillClockwise", true);
_content.fillAmount = (float)xml.GetAttributeInt("fillAmount", 100) / 100;
}
if (_url != null)
LoadContent();
}
}
}
| 19.413379 | 124 | 0.62246 | [
"MIT"
] | King098/LuaFramework-ToLua-FairyGUI | Assets/FairyGUI/Scripts/UI/GLoader.cs | 11,368 | C# |
using System.Linq;
using Content.Server.CombatMode;
using Content.Server.Hands.Components;
using Content.Server.Popups;
using Content.Server.Pulling;
using Content.Server.Stack;
using Content.Server.Storage.Components;
using Content.Server.Storage.EntitySystems;
using Content.Server.Strip;
using Content.Server.Stunnable;
using Content.Shared.ActionBlocker;
using Content.Shared.Hands;
using Content.Shared.Hands.Components;
using Content.Shared.Hands.EntitySystems;
using Content.Shared.Input;
using Content.Shared.Inventory;
using Content.Shared.Physics.Pull;
using Content.Shared.Popups;
using Content.Shared.Pulling.Components;
using Content.Shared.Stunnable;
using Content.Shared.Throwing;
using JetBrains.Annotations;
using Robust.Server.GameObjects;
using Robust.Server.Player;
using Robust.Shared.Containers;
using Robust.Shared.GameStates;
using Robust.Shared.Input.Binding;
using Robust.Shared.Map;
using Robust.Shared.Player;
using Robust.Shared.Players;
using Robust.Shared.Utility;
namespace Content.Server.Hands.Systems
{
[UsedImplicitly]
internal sealed class HandsSystem : SharedHandsSystem
{
[Dependency] private readonly InventorySystem _inventorySystem = default!;
[Dependency] private readonly StackSystem _stackSystem = default!;
[Dependency] private readonly HandVirtualItemSystem _virtualItemSystem = default!;
[Dependency] private readonly ActionBlockerSystem _actionBlockerSystem = default!;
[Dependency] private readonly StrippableSystem _strippableSystem = default!;
[Dependency] private readonly SharedHandVirtualItemSystem _virtualSystem = default!;
[Dependency] private readonly PopupSystem _popupSystem = default!;
[Dependency] private readonly SharedHandsSystem _handsSystem = default!;
[Dependency] private readonly PullingSystem _pullingSystem = default!;
[Dependency] private readonly ThrowingSystem _throwingSystem = default!;
[Dependency] private readonly StorageSystem _storageSystem = default!;
public override void Initialize()
{
base.Initialize();
SubscribeLocalEvent<HandsComponent, DisarmedEvent>(OnDisarmed, before: new[] { typeof(StunSystem) });
SubscribeLocalEvent<HandsComponent, PullAttemptMessage>(HandlePullAttempt);
SubscribeLocalEvent<HandsComponent, PullStartedMessage>(HandlePullStarted);
SubscribeLocalEvent<HandsComponent, PullStoppedMessage>(HandlePullStopped);
SubscribeLocalEvent<HandsComponent, EntRemovedFromContainerMessage>(HandleEntityRemoved);
SubscribeLocalEvent<HandsComponent, ComponentGetState>(GetComponentState);
CommandBinds.Builder
.Bind(ContentKeyFunctions.ThrowItemInHand, new PointerInputCmdHandler(HandleThrowItem))
.Bind(ContentKeyFunctions.SmartEquipBackpack, InputCmdHandler.FromDelegate(HandleSmartEquipBackpack))
.Bind(ContentKeyFunctions.SmartEquipBelt, InputCmdHandler.FromDelegate(HandleSmartEquipBelt))
.Register<HandsSystem>();
}
public override void Shutdown()
{
base.Shutdown();
CommandBinds.Unregister<HandsSystem>();
}
private void GetComponentState(EntityUid uid, HandsComponent hands, ref ComponentGetState args)
{
args.State = new HandsComponentState(hands);
}
private void OnDisarmed(EntityUid uid, HandsComponent component, DisarmedEvent args)
{
if (args.Handled)
return;
// Break any pulls
if (TryComp(uid, out SharedPullerComponent? puller) && puller.Pulling is EntityUid pulled && TryComp(pulled, out SharedPullableComponent? pullable))
_pullingSystem.TryStopPull(pullable);
if (!_handsSystem.TryDrop(uid, component.ActiveHand!, null, checkActionBlocker: false))
return;
var targetName = Name(args.Target);
var msgOther = Loc.GetString("hands-component-disarm-success-others-message", ("disarmer", Name(args.Source)), ("disarmed", targetName));
var msgUser = Loc.GetString("hands-component-disarm-success-message", ("disarmed", targetName));
var filter = Filter.Pvs(args.Source).RemoveWhereAttachedEntity(e => e == args.Source);
_popupSystem.PopupEntity(msgOther, args.Source, filter);
_popupSystem.PopupEntity(msgUser, args.Source, Filter.Entities(args.Source));
args.Handled = true; // no shove/stun.
}
#region EntityInsertRemove
public override void DoDrop(EntityUid uid, Hand hand, bool doDropInteraction = true, SharedHandsComponent? hands = null)
{
base.DoDrop(uid, hand,doDropInteraction, hands);
// update gui of anyone stripping this entity.
_strippableSystem.SendUpdate(uid);
if (TryComp(hand.HeldEntity, out SpriteComponent? sprite))
sprite.RenderOrder = EntityManager.CurrentTick.Value;
}
public override void DoPickup(EntityUid uid, Hand hand, EntityUid entity, SharedHandsComponent? hands = null)
{
base.DoPickup(uid, hand, entity, hands);
// update gui of anyone stripping this entity.
_strippableSystem.SendUpdate(uid);
}
public override void PickupAnimation(EntityUid item, EntityCoordinates initialPosition, Vector2 finalPosition,
EntityUid? exclude)
{
if (finalPosition.EqualsApprox(initialPosition.Position, tolerance: 0.1f))
return;
var filter = Filter.Pvs(item);
if (exclude != null)
filter = filter.RemoveWhereAttachedEntity(entity => entity == exclude);
RaiseNetworkEvent(new PickupAnimationEvent(item, initialPosition, finalPosition), filter);
}
private void HandleEntityRemoved(EntityUid uid, SharedHandsComponent component, EntRemovedFromContainerMessage args)
{
if (!Deleted(args.Entity) && TryComp(args.Entity, out HandVirtualItemComponent? @virtual))
_virtualSystem.Delete(@virtual, uid);
}
#endregion
#region pulling
private static void HandlePullAttempt(EntityUid uid, HandsComponent component, PullAttemptMessage args)
{
if (args.Puller.Owner != uid)
return;
// Cancel pull if all hands full.
if (!component.IsAnyHandFree())
args.Cancelled = true;
}
private void HandlePullStarted(EntityUid uid, HandsComponent component, PullStartedMessage args)
{
if (args.Puller.Owner != uid)
return;
if (!_virtualItemSystem.TrySpawnVirtualItemInHand(args.Pulled.Owner, uid))
{
DebugTools.Assert("Unable to find available hand when starting pulling??");
}
}
private void HandlePullStopped(EntityUid uid, HandsComponent component, PullStoppedMessage args)
{
if (args.Puller.Owner != uid)
return;
// Try find hand that is doing this pull.
// and clear it.
foreach (var hand in component.Hands.Values)
{
if (hand.HeldEntity == null
|| !TryComp(hand.HeldEntity, out HandVirtualItemComponent? virtualItem)
|| virtualItem.BlockingEntity != args.Pulled.Owner)
continue;
QueueDel(hand.HeldEntity.Value);
break;
}
}
#endregion
#region interactions
private bool HandleThrowItem(ICommonSession? session, EntityCoordinates coords, EntityUid uid)
{
if (session is not IPlayerSession playerSession)
return false;
if (playerSession.AttachedEntity is not {Valid: true} player ||
!Exists(player) ||
player.IsInContainer() ||
!TryComp(player, out SharedHandsComponent? hands) ||
hands.ActiveHandEntity is not EntityUid throwEnt ||
!_actionBlockerSystem.CanThrow(player))
return false;
if (EntityManager.TryGetComponent(throwEnt, out StackComponent? stack) && stack.Count > 1 && stack.ThrowIndividually)
{
var splitStack = _stackSystem.Split(throwEnt, 1, EntityManager.GetComponent<TransformComponent>(player).Coordinates, stack);
if (splitStack is not {Valid: true})
return false;
throwEnt = splitStack.Value;
}
else if (!TryDrop(player, throwEnt, handsComp: hands))
return false;
var direction = coords.ToMapPos(EntityManager) - Transform(player).WorldPosition;
if (direction == Vector2.Zero)
return true;
direction = direction.Normalized * Math.Min(direction.Length, hands.ThrowRange);
var throwStrength = hands.ThrowForceMultiplier;
_throwingSystem.TryThrow(throwEnt, direction, throwStrength, player);
return true;
}
private void HandleSmartEquipBackpack(ICommonSession? session)
{
HandleSmartEquip(session, "back");
}
private void HandleSmartEquipBelt(ICommonSession? session)
{
HandleSmartEquip(session, "belt");
}
private void HandleSmartEquip(ICommonSession? session, string equipmentSlot)
{
if (session is not IPlayerSession playerSession)
return;
if (playerSession.AttachedEntity is not {Valid: true} plyEnt || !Exists(plyEnt))
return;
if (!TryComp<SharedHandsComponent>(plyEnt, out var hands))
return;
if (HasComp<StunnedComponent>(plyEnt))
return;
if (!_inventorySystem.TryGetSlotEntity(plyEnt, equipmentSlot, out var slotEntity) ||
!TryComp(slotEntity, out ServerStorageComponent? storageComponent))
{
plyEnt.PopupMessage(Loc.GetString("hands-system-missing-equipment-slot", ("slotName", equipmentSlot)));
return;
}
if (hands.ActiveHand?.HeldEntity != null)
{
_storageSystem.PlayerInsertHeldEntity(slotEntity.Value, plyEnt, storageComponent);
}
else if (storageComponent.StoredEntities != null)
{
if (storageComponent.StoredEntities.Count == 0)
{
plyEnt.PopupMessage(Loc.GetString("hands-system-empty-equipment-slot", ("slotName", equipmentSlot)));
}
else
{
var lastStoredEntity = Enumerable.Last(storageComponent.StoredEntities);
if (storageComponent.Remove(lastStoredEntity))
{
PickupOrDrop(plyEnt, lastStoredEntity, animateUser: true, handsComp: hands);
}
}
}
}
#endregion
}
}
| 39.728873 | 160 | 0.638749 | [
"MIT"
] | SplinterGP/space-station-14 | Content.Server/Hands/Systems/HandsSystem.cs | 11,283 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using BeeHive;
using BeeHive.Configuration;
using BeeHive.DataStructures;
using ConveyorBelt.Tooling.Configuration;
using ConveyorBelt.Tooling.Events;
using Microsoft.WindowsAzure.Storage;
using Microsoft.WindowsAzure.Storage.Auth;
using Microsoft.WindowsAzure.Storage.Table;
namespace ConveyorBelt.Tooling.Scheduling
{
public class RangeShardKeyScheduler : BaseScheduler
{
public RangeShardKeyScheduler(IConfigurationValueProvider configurationValueProvider)
: base(configurationValueProvider)
{
}
protected override Task<IEnumerable<Event>> DoSchedule(DiagnosticsSource source)
{
//var account = CloudStorageAccount.Parse(source.ConnectionString);
CloudStorageAccount account;
if (!String.IsNullOrWhiteSpace(source.AccountSasKey))
{
// Create new storage credentials using the SAS token.
var accountSas = new StorageCredentials(source.AccountSasKey);
// Use these credentials and the account name to create a Blob service client.
account = new CloudStorageAccount(accountSas, source.AccountName, endpointSuffix: "", useHttps: true);
}
else
{
account = CloudStorageAccount.Parse(source.ConnectionString);
}
var client = account.CreateCloudTableClient();
var table = client.GetTableReference(source.GetProperty<string>("TableName"));
var entities = table.ExecuteQuery(new TableQuery().Where(
TableQuery.GenerateFilterCondition("PartitionKey", "gt", source.LastOffsetPoint)));
foreach (var entity in entities)
{
}
throw new NotImplementedException();
}
}
}
| 36.545455 | 119 | 0.643781 | [
"MIT"
] | aliostad/ConveyorBelt | src/ConveyorBelt.Tooling/Scheduling/RangeShardKeyScheduler.cs | 1,958 | C# |
using AntMe.ItemProperties.Basics;
namespace AntMe.Core.Debug
{
public class DebugSnifferItem : Item
{
private SnifferProperty sniffer;
public DebugSnifferItem(ITypeResolver resolver, Vector2 pos)
: base(resolver, pos, Angle.Right)
{
sniffer = new SnifferProperty(this)
{
};
AddProperty(sniffer);
}
}
}
| 20.55 | 68 | 0.579075 | [
"MIT"
] | AntMeNet/AntMeCore | tests/AntMe.Core.Debug/DebugSnifferItem.cs | 413 | C# |
// <auto-generated/>
// Contents of: hl7.fhir.r5.core version: 4.4.0
using System;
using System.Collections.Generic;
using System.Linq;
using System.Runtime.Serialization;
using Hl7.Fhir.Introspection;
using Hl7.Fhir.Serialization;
using Hl7.Fhir.Specification;
using Hl7.Fhir.Utility;
using Hl7.Fhir.Validation;
/*
Copyright (c) 2011+, HL7, Inc.
All rights reserved.
Redistribution and use in source and binary forms, with or without modification,
are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice, this
list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.
* Neither the name of HL7 nor the names of its contributors may be used to
endorse or promote products derived from this software without specific
prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
POSSIBILITY OF SUCH DAMAGE.
*/
namespace Hl7.Fhir.Model
{
/// <summary>
/// The definition of a specific activity to be taken, independent of any particular patient or context
/// </summary>
[FhirType("ActivityDefinition", IsResource=true)]
[DataContract]
public partial class ActivityDefinition : Hl7.Fhir.Model.DomainResource, System.ComponentModel.INotifyPropertyChanged
{
/// <summary>
/// FHIR Resource Type
/// </summary>
[NotMapped]
public override ResourceType ResourceType { get { return ResourceType.ActivityDefinition; } }
/// <summary>
/// FHIR Type Name
/// </summary>
[NotMapped]
public override string TypeName { get { return "ActivityDefinition"; } }
/// <summary>
/// A list of all the request resource types defined in this version of the FHIR specification.
/// (url: http://hl7.org/fhir/ValueSet/request-resource-types)
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[FhirEnumeration("RequestResourceType")]
public enum RequestResourceType
{
/// <summary>
/// A booking of a healthcare event among patient(s), practitioner(s), related person(s) and/or device(s) for a specific date/time. This may result in one or more Encounter(s).
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("Appointment", "http://hl7.org/fhir/request-resource-types"), Description("Appointment")]
Appointment,
/// <summary>
/// A reply to an appointment request for a patient and/or practitioner(s), such as a confirmation or rejection.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("AppointmentResponse", "http://hl7.org/fhir/request-resource-types"), Description("AppointmentResponse")]
AppointmentResponse,
/// <summary>
/// Healthcare plan for patient or group.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("CarePlan", "http://hl7.org/fhir/request-resource-types"), Description("CarePlan")]
CarePlan,
/// <summary>
/// Claim, Pre-determination or Pre-authorization.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("Claim", "http://hl7.org/fhir/request-resource-types"), Description("Claim")]
Claim,
/// <summary>
/// A request for information to be sent to a receiver.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("CommunicationRequest", "http://hl7.org/fhir/request-resource-types"), Description("CommunicationRequest")]
CommunicationRequest,
/// <summary>
/// Legal Agreement.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("Contract", "http://hl7.org/fhir/request-resource-types"), Description("Contract")]
Contract,
/// <summary>
/// Medical device request.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("DeviceRequest", "http://hl7.org/fhir/request-resource-types"), Description("DeviceRequest")]
DeviceRequest,
/// <summary>
/// Enrollment request.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("EnrollmentRequest", "http://hl7.org/fhir/request-resource-types"), Description("EnrollmentRequest")]
EnrollmentRequest,
/// <summary>
/// Guidance or advice relating to an immunization.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("ImmunizationRecommendation", "http://hl7.org/fhir/request-resource-types"), Description("ImmunizationRecommendation")]
ImmunizationRecommendation,
/// <summary>
/// Ordering of medication for patient or group.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("MedicationRequest", "http://hl7.org/fhir/request-resource-types"), Description("MedicationRequest")]
MedicationRequest,
/// <summary>
/// Diet, formula or nutritional supplement request.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("NutritionOrder", "http://hl7.org/fhir/request-resource-types"), Description("NutritionOrder")]
NutritionOrder,
/// <summary>
/// A record of a request for service such as diagnostic investigations, treatments, or operations to be performed.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("ServiceRequest", "http://hl7.org/fhir/request-resource-types"), Description("ServiceRequest")]
ServiceRequest,
/// <summary>
/// Request for a medication, substance or device.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("SupplyRequest", "http://hl7.org/fhir/request-resource-types"), Description("SupplyRequest")]
SupplyRequest,
/// <summary>
/// A task to be performed.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("Task", "http://hl7.org/fhir/request-resource-types"), Description("Task")]
Task,
/// <summary>
/// Prescription for vision correction products for a patient.
/// (system: http://hl7.org/fhir/request-resource-types)
/// </summary>
[EnumLiteral("VisionPrescription", "http://hl7.org/fhir/request-resource-types"), Description("VisionPrescription")]
VisionPrescription,
}
/// <summary>
/// Who should participate in the action
/// </summary>
[FhirType("ParticipantComponent", NamedBackboneElement=true)]
[DataContract]
public partial class ParticipantComponent : Hl7.Fhir.Model.BackboneElement, System.ComponentModel.INotifyPropertyChanged
{
/// <summary>
/// FHIR Type Name
/// </summary>
[NotMapped]
public override string TypeName { get { return "ParticipantComponent"; } }
/// <summary>
/// patient | practitioner | related-person | device
/// </summary>
[FhirElement("type", Order=40)]
[Cardinality(Min=1,Max=1)]
[DataMember]
public Code<Hl7.Fhir.Model.ActionParticipantType> TypeElement
{
get { return _TypeElement; }
set { _TypeElement = value; OnPropertyChanged("TypeElement"); }
}
private Code<Hl7.Fhir.Model.ActionParticipantType> _TypeElement;
/// <summary>
/// patient | practitioner | related-person | device
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public Hl7.Fhir.Model.ActionParticipantType? Type
{
get { return TypeElement != null ? TypeElement.Value : null; }
set
{
if (value == null)
TypeElement = null;
else
TypeElement = new Code<Hl7.Fhir.Model.ActionParticipantType>(value);
OnPropertyChanged("Type");
}
}
/// <summary>
/// E.g. Nurse, Surgeon, Parent, etc.
/// </summary>
[FhirElement("role", Order=50)]
[DataMember]
public Hl7.Fhir.Model.CodeableConcept Role
{
get { return _Role; }
set { _Role = value; OnPropertyChanged("Role"); }
}
private Hl7.Fhir.Model.CodeableConcept _Role;
public override IDeepCopyable CopyTo(IDeepCopyable other)
{
var dest = other as ParticipantComponent;
if (dest == null)
{
throw new ArgumentException("Can only copy to an object of the same type", "other");
}
base.CopyTo(dest);
if(TypeElement != null) dest.TypeElement = (Code<Hl7.Fhir.Model.ActionParticipantType>)TypeElement.DeepCopy();
if(Role != null) dest.Role = (Hl7.Fhir.Model.CodeableConcept)Role.DeepCopy();
return dest;
}
public override IDeepCopyable DeepCopy()
{
return CopyTo(new ParticipantComponent());
}
public override bool Matches(IDeepComparable other)
{
var otherT = other as ParticipantComponent;
if(otherT == null) return false;
if(!base.Matches(otherT)) return false;
if( !DeepComparable.Matches(TypeElement, otherT.TypeElement)) return false;
if( !DeepComparable.Matches(Role, otherT.Role)) return false;
return true;
}
public override bool IsExactly(IDeepComparable other)
{
var otherT = other as ParticipantComponent;
if(otherT == null) return false;
if(!base.IsExactly(otherT)) return false;
if( !DeepComparable.IsExactly(TypeElement, otherT.TypeElement)) return false;
if( !DeepComparable.IsExactly(Role, otherT.Role)) return false;
return true;
}
[NotMapped]
public override IEnumerable<Base> Children
{
get
{
foreach (var item in base.Children) yield return item;
if (TypeElement != null) yield return TypeElement;
if (Role != null) yield return Role;
}
}
[NotMapped]
public override IEnumerable<ElementValue> NamedChildren
{
get
{
foreach (var item in base.NamedChildren) yield return item;
if (TypeElement != null) yield return new ElementValue("type", TypeElement);
if (Role != null) yield return new ElementValue("role", Role);
}
}
}
/// <summary>
/// Dynamic aspects of the definition
/// </summary>
[FhirType("DynamicValueComponent", NamedBackboneElement=true)]
[DataContract]
public partial class DynamicValueComponent : Hl7.Fhir.Model.BackboneElement, System.ComponentModel.INotifyPropertyChanged
{
/// <summary>
/// FHIR Type Name
/// </summary>
[NotMapped]
public override string TypeName { get { return "DynamicValueComponent"; } }
/// <summary>
/// The path to the element to be set dynamically
/// </summary>
[FhirElement("path", Order=40)]
[Cardinality(Min=1,Max=1)]
[DataMember]
public Hl7.Fhir.Model.FhirString PathElement
{
get { return _PathElement; }
set { _PathElement = value; OnPropertyChanged("PathElement"); }
}
private Hl7.Fhir.Model.FhirString _PathElement;
/// <summary>
/// The path to the element to be set dynamically
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Path
{
get { return PathElement != null ? PathElement.Value : null; }
set
{
if (value == null)
PathElement = null;
else
PathElement = new Hl7.Fhir.Model.FhirString(value);
OnPropertyChanged("Path");
}
}
/// <summary>
/// An expression that provides the dynamic value for the customization
/// </summary>
[FhirElement("expression", Order=50)]
[Cardinality(Min=1,Max=1)]
[DataMember]
public Hl7.Fhir.Model.Expression Expression
{
get { return _Expression; }
set { _Expression = value; OnPropertyChanged("Expression"); }
}
private Hl7.Fhir.Model.Expression _Expression;
public override IDeepCopyable CopyTo(IDeepCopyable other)
{
var dest = other as DynamicValueComponent;
if (dest == null)
{
throw new ArgumentException("Can only copy to an object of the same type", "other");
}
base.CopyTo(dest);
if(PathElement != null) dest.PathElement = (Hl7.Fhir.Model.FhirString)PathElement.DeepCopy();
if(Expression != null) dest.Expression = (Hl7.Fhir.Model.Expression)Expression.DeepCopy();
return dest;
}
public override IDeepCopyable DeepCopy()
{
return CopyTo(new DynamicValueComponent());
}
public override bool Matches(IDeepComparable other)
{
var otherT = other as DynamicValueComponent;
if(otherT == null) return false;
if(!base.Matches(otherT)) return false;
if( !DeepComparable.Matches(PathElement, otherT.PathElement)) return false;
if( !DeepComparable.Matches(Expression, otherT.Expression)) return false;
return true;
}
public override bool IsExactly(IDeepComparable other)
{
var otherT = other as DynamicValueComponent;
if(otherT == null) return false;
if(!base.IsExactly(otherT)) return false;
if( !DeepComparable.IsExactly(PathElement, otherT.PathElement)) return false;
if( !DeepComparable.IsExactly(Expression, otherT.Expression)) return false;
return true;
}
[NotMapped]
public override IEnumerable<Base> Children
{
get
{
foreach (var item in base.Children) yield return item;
if (PathElement != null) yield return PathElement;
if (Expression != null) yield return Expression;
}
}
[NotMapped]
public override IEnumerable<ElementValue> NamedChildren
{
get
{
foreach (var item in base.NamedChildren) yield return item;
if (PathElement != null) yield return new ElementValue("path", PathElement);
if (Expression != null) yield return new ElementValue("expression", Expression);
}
}
}
/// <summary>
/// Canonical identifier for this activity definition, represented as a URI (globally unique)
/// </summary>
[FhirElement("url", InSummary=true, Order=90)]
[DataMember]
public Hl7.Fhir.Model.FhirUri UrlElement
{
get { return _UrlElement; }
set { _UrlElement = value; OnPropertyChanged("UrlElement"); }
}
private Hl7.Fhir.Model.FhirUri _UrlElement;
/// <summary>
/// Canonical identifier for this activity definition, represented as a URI (globally unique)
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Url
{
get { return UrlElement != null ? UrlElement.Value : null; }
set
{
if (value == null)
UrlElement = null;
else
UrlElement = new Hl7.Fhir.Model.FhirUri(value);
OnPropertyChanged("Url");
}
}
/// <summary>
/// Additional identifier for the activity definition
/// </summary>
[FhirElement("identifier", InSummary=true, Order=100)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.Identifier> Identifier
{
get { if(_Identifier==null) _Identifier = new List<Hl7.Fhir.Model.Identifier>(); return _Identifier; }
set { _Identifier = value; OnPropertyChanged("Identifier"); }
}
private List<Hl7.Fhir.Model.Identifier> _Identifier;
/// <summary>
/// Business version of the activity definition
/// </summary>
[FhirElement("version", InSummary=true, Order=110)]
[DataMember]
public Hl7.Fhir.Model.FhirString VersionElement
{
get { return _VersionElement; }
set { _VersionElement = value; OnPropertyChanged("VersionElement"); }
}
private Hl7.Fhir.Model.FhirString _VersionElement;
/// <summary>
/// Business version of the activity definition
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Version
{
get { return VersionElement != null ? VersionElement.Value : null; }
set
{
if (value == null)
VersionElement = null;
else
VersionElement = new Hl7.Fhir.Model.FhirString(value);
OnPropertyChanged("Version");
}
}
/// <summary>
/// Name for this activity definition (computer friendly)
/// </summary>
[FhirElement("name", InSummary=true, Order=120)]
[DataMember]
public Hl7.Fhir.Model.FhirString NameElement
{
get { return _NameElement; }
set { _NameElement = value; OnPropertyChanged("NameElement"); }
}
private Hl7.Fhir.Model.FhirString _NameElement;
/// <summary>
/// Name for this activity definition (computer friendly)
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Name
{
get { return NameElement != null ? NameElement.Value : null; }
set
{
if (value == null)
NameElement = null;
else
NameElement = new Hl7.Fhir.Model.FhirString(value);
OnPropertyChanged("Name");
}
}
/// <summary>
/// Name for this activity definition (human friendly)
/// </summary>
[FhirElement("title", InSummary=true, Order=130)]
[DataMember]
public Hl7.Fhir.Model.FhirString TitleElement
{
get { return _TitleElement; }
set { _TitleElement = value; OnPropertyChanged("TitleElement"); }
}
private Hl7.Fhir.Model.FhirString _TitleElement;
/// <summary>
/// Name for this activity definition (human friendly)
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Title
{
get { return TitleElement != null ? TitleElement.Value : null; }
set
{
if (value == null)
TitleElement = null;
else
TitleElement = new Hl7.Fhir.Model.FhirString(value);
OnPropertyChanged("Title");
}
}
/// <summary>
/// Subordinate title of the activity definition
/// </summary>
[FhirElement("subtitle", Order=140)]
[DataMember]
public Hl7.Fhir.Model.FhirString SubtitleElement
{
get { return _SubtitleElement; }
set { _SubtitleElement = value; OnPropertyChanged("SubtitleElement"); }
}
private Hl7.Fhir.Model.FhirString _SubtitleElement;
/// <summary>
/// Subordinate title of the activity definition
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Subtitle
{
get { return SubtitleElement != null ? SubtitleElement.Value : null; }
set
{
if (value == null)
SubtitleElement = null;
else
SubtitleElement = new Hl7.Fhir.Model.FhirString(value);
OnPropertyChanged("Subtitle");
}
}
/// <summary>
/// draft | active | retired | unknown
/// </summary>
[FhirElement("status", InSummary=true, Order=150)]
[Cardinality(Min=1,Max=1)]
[DataMember]
public Code<Hl7.Fhir.Model.PublicationStatus> StatusElement
{
get { return _StatusElement; }
set { _StatusElement = value; OnPropertyChanged("StatusElement"); }
}
private Code<Hl7.Fhir.Model.PublicationStatus> _StatusElement;
/// <summary>
/// draft | active | retired | unknown
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public Hl7.Fhir.Model.PublicationStatus? Status
{
get { return StatusElement != null ? StatusElement.Value : null; }
set
{
if (value == null)
StatusElement = null;
else
StatusElement = new Code<Hl7.Fhir.Model.PublicationStatus>(value);
OnPropertyChanged("Status");
}
}
/// <summary>
/// For testing purposes, not real usage
/// </summary>
[FhirElement("experimental", InSummary=true, Order=160)]
[DataMember]
public Hl7.Fhir.Model.FhirBoolean ExperimentalElement
{
get { return _ExperimentalElement; }
set { _ExperimentalElement = value; OnPropertyChanged("ExperimentalElement"); }
}
private Hl7.Fhir.Model.FhirBoolean _ExperimentalElement;
/// <summary>
/// For testing purposes, not real usage
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public bool? Experimental
{
get { return ExperimentalElement != null ? ExperimentalElement.Value : null; }
set
{
if (value == null)
ExperimentalElement = null;
else
ExperimentalElement = new Hl7.Fhir.Model.FhirBoolean(value);
OnPropertyChanged("Experimental");
}
}
/// <summary>
/// Type of individual the activity definition is intended for
/// </summary>
[FhirElement("subject", Order=170, Choice=ChoiceType.DatatypeChoice)]
[CLSCompliant(false)]
[AllowedTypes(typeof(Hl7.Fhir.Model.CodeableConcept),typeof(Hl7.Fhir.Model.ResourceReference))]
[DataMember]
public Hl7.Fhir.Model.Element Subject
{
get { return _Subject; }
set { _Subject = value; OnPropertyChanged("Subject"); }
}
private Hl7.Fhir.Model.Element _Subject;
/// <summary>
/// Date last changed
/// </summary>
[FhirElement("date", InSummary=true, Order=180)]
[DataMember]
public Hl7.Fhir.Model.FhirDateTime DateElement
{
get { return _DateElement; }
set { _DateElement = value; OnPropertyChanged("DateElement"); }
}
private Hl7.Fhir.Model.FhirDateTime _DateElement;
/// <summary>
/// Date last changed
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Date
{
get { return DateElement != null ? DateElement.Value : null; }
set
{
if (value == null)
DateElement = null;
else
DateElement = new Hl7.Fhir.Model.FhirDateTime(value);
OnPropertyChanged("Date");
}
}
/// <summary>
/// Name of the publisher (organization or individual)
/// </summary>
[FhirElement("publisher", InSummary=true, Order=190)]
[DataMember]
public Hl7.Fhir.Model.FhirString PublisherElement
{
get { return _PublisherElement; }
set { _PublisherElement = value; OnPropertyChanged("PublisherElement"); }
}
private Hl7.Fhir.Model.FhirString _PublisherElement;
/// <summary>
/// Name of the publisher (organization or individual)
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Publisher
{
get { return PublisherElement != null ? PublisherElement.Value : null; }
set
{
if (value == null)
PublisherElement = null;
else
PublisherElement = new Hl7.Fhir.Model.FhirString(value);
OnPropertyChanged("Publisher");
}
}
/// <summary>
/// Contact details for the publisher
/// </summary>
[FhirElement("contact", InSummary=true, Order=200)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ContactDetail> Contact
{
get { if(_Contact==null) _Contact = new List<Hl7.Fhir.Model.ContactDetail>(); return _Contact; }
set { _Contact = value; OnPropertyChanged("Contact"); }
}
private List<Hl7.Fhir.Model.ContactDetail> _Contact;
/// <summary>
/// Natural language description of the activity definition
/// </summary>
[FhirElement("description", InSummary=true, Order=210)]
[DataMember]
public Hl7.Fhir.Model.Markdown Description
{
get { return _Description; }
set { _Description = value; OnPropertyChanged("Description"); }
}
private Hl7.Fhir.Model.Markdown _Description;
/// <summary>
/// The context that the content is intended to support
/// </summary>
[FhirElement("useContext", InSummary=true, Order=220)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.UsageContext> UseContext
{
get { if(_UseContext==null) _UseContext = new List<Hl7.Fhir.Model.UsageContext>(); return _UseContext; }
set { _UseContext = value; OnPropertyChanged("UseContext"); }
}
private List<Hl7.Fhir.Model.UsageContext> _UseContext;
/// <summary>
/// Intended jurisdiction for activity definition (if applicable)
/// </summary>
[FhirElement("jurisdiction", InSummary=true, Order=230)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.CodeableConcept> Jurisdiction
{
get { if(_Jurisdiction==null) _Jurisdiction = new List<Hl7.Fhir.Model.CodeableConcept>(); return _Jurisdiction; }
set { _Jurisdiction = value; OnPropertyChanged("Jurisdiction"); }
}
private List<Hl7.Fhir.Model.CodeableConcept> _Jurisdiction;
/// <summary>
/// Why this activity definition is defined
/// </summary>
[FhirElement("purpose", Order=240)]
[DataMember]
public Hl7.Fhir.Model.Markdown Purpose
{
get { return _Purpose; }
set { _Purpose = value; OnPropertyChanged("Purpose"); }
}
private Hl7.Fhir.Model.Markdown _Purpose;
/// <summary>
/// Describes the clinical usage of the activity definition
/// </summary>
[FhirElement("usage", Order=250)]
[DataMember]
public Hl7.Fhir.Model.FhirString UsageElement
{
get { return _UsageElement; }
set { _UsageElement = value; OnPropertyChanged("UsageElement"); }
}
private Hl7.Fhir.Model.FhirString _UsageElement;
/// <summary>
/// Describes the clinical usage of the activity definition
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Usage
{
get { return UsageElement != null ? UsageElement.Value : null; }
set
{
if (value == null)
UsageElement = null;
else
UsageElement = new Hl7.Fhir.Model.FhirString(value);
OnPropertyChanged("Usage");
}
}
/// <summary>
/// Use and/or publishing restrictions
/// </summary>
[FhirElement("copyright", Order=260)]
[DataMember]
public Hl7.Fhir.Model.Markdown Copyright
{
get { return _Copyright; }
set { _Copyright = value; OnPropertyChanged("Copyright"); }
}
private Hl7.Fhir.Model.Markdown _Copyright;
/// <summary>
/// When the activity definition was approved by publisher
/// </summary>
[FhirElement("approvalDate", Order=270)]
[DataMember]
public Hl7.Fhir.Model.Date ApprovalDateElement
{
get { return _ApprovalDateElement; }
set { _ApprovalDateElement = value; OnPropertyChanged("ApprovalDateElement"); }
}
private Hl7.Fhir.Model.Date _ApprovalDateElement;
/// <summary>
/// When the activity definition was approved by publisher
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string ApprovalDate
{
get { return ApprovalDateElement != null ? ApprovalDateElement.Value : null; }
set
{
if (value == null)
ApprovalDateElement = null;
else
ApprovalDateElement = new Hl7.Fhir.Model.Date(value);
OnPropertyChanged("ApprovalDate");
}
}
/// <summary>
/// When the activity definition was last reviewed
/// </summary>
[FhirElement("lastReviewDate", Order=280)]
[DataMember]
public Hl7.Fhir.Model.Date LastReviewDateElement
{
get { return _LastReviewDateElement; }
set { _LastReviewDateElement = value; OnPropertyChanged("LastReviewDateElement"); }
}
private Hl7.Fhir.Model.Date _LastReviewDateElement;
/// <summary>
/// When the activity definition was last reviewed
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string LastReviewDate
{
get { return LastReviewDateElement != null ? LastReviewDateElement.Value : null; }
set
{
if (value == null)
LastReviewDateElement = null;
else
LastReviewDateElement = new Hl7.Fhir.Model.Date(value);
OnPropertyChanged("LastReviewDate");
}
}
/// <summary>
/// When the activity definition is expected to be used
/// </summary>
[FhirElement("effectivePeriod", InSummary=true, Order=290)]
[DataMember]
public Hl7.Fhir.Model.Period EffectivePeriod
{
get { return _EffectivePeriod; }
set { _EffectivePeriod = value; OnPropertyChanged("EffectivePeriod"); }
}
private Hl7.Fhir.Model.Period _EffectivePeriod;
/// <summary>
/// E.g. Education, Treatment, Assessment, etc.
/// </summary>
[FhirElement("topic", Order=300)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.CodeableConcept> Topic
{
get { if(_Topic==null) _Topic = new List<Hl7.Fhir.Model.CodeableConcept>(); return _Topic; }
set { _Topic = value; OnPropertyChanged("Topic"); }
}
private List<Hl7.Fhir.Model.CodeableConcept> _Topic;
/// <summary>
/// Who authored the content
/// </summary>
[FhirElement("author", Order=310)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ContactDetail> Author
{
get { if(_Author==null) _Author = new List<Hl7.Fhir.Model.ContactDetail>(); return _Author; }
set { _Author = value; OnPropertyChanged("Author"); }
}
private List<Hl7.Fhir.Model.ContactDetail> _Author;
/// <summary>
/// Who edited the content
/// </summary>
[FhirElement("editor", Order=320)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ContactDetail> Editor
{
get { if(_Editor==null) _Editor = new List<Hl7.Fhir.Model.ContactDetail>(); return _Editor; }
set { _Editor = value; OnPropertyChanged("Editor"); }
}
private List<Hl7.Fhir.Model.ContactDetail> _Editor;
/// <summary>
/// Who reviewed the content
/// </summary>
[FhirElement("reviewer", Order=330)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ContactDetail> Reviewer
{
get { if(_Reviewer==null) _Reviewer = new List<Hl7.Fhir.Model.ContactDetail>(); return _Reviewer; }
set { _Reviewer = value; OnPropertyChanged("Reviewer"); }
}
private List<Hl7.Fhir.Model.ContactDetail> _Reviewer;
/// <summary>
/// Who endorsed the content
/// </summary>
[FhirElement("endorser", Order=340)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ContactDetail> Endorser
{
get { if(_Endorser==null) _Endorser = new List<Hl7.Fhir.Model.ContactDetail>(); return _Endorser; }
set { _Endorser = value; OnPropertyChanged("Endorser"); }
}
private List<Hl7.Fhir.Model.ContactDetail> _Endorser;
/// <summary>
/// Additional documentation, citations, etc.
/// </summary>
[FhirElement("relatedArtifact", Order=350)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.RelatedArtifact> RelatedArtifact
{
get { if(_RelatedArtifact==null) _RelatedArtifact = new List<Hl7.Fhir.Model.RelatedArtifact>(); return _RelatedArtifact; }
set { _RelatedArtifact = value; OnPropertyChanged("RelatedArtifact"); }
}
private List<Hl7.Fhir.Model.RelatedArtifact> _RelatedArtifact;
/// <summary>
/// Logic used by the activity definition
/// </summary>
[FhirElement("library", Order=360)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.Canonical> LibraryElement
{
get { if(_LibraryElement==null) _LibraryElement = new List<Hl7.Fhir.Model.Canonical>(); return _LibraryElement; }
set { _LibraryElement = value; OnPropertyChanged("LibraryElement"); }
}
private List<Hl7.Fhir.Model.Canonical> _LibraryElement;
/// <summary>
/// Logic used by the activity definition
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public IEnumerable<string> Library
{
get { return LibraryElement != null ? LibraryElement.Select(elem => elem.Value) : null; }
set
{
if (value == null)
LibraryElement = null;
else
LibraryElement = new List<Hl7.Fhir.Model.Canonical>(value.Select(elem=>new Hl7.Fhir.Model.Canonical(elem)));
OnPropertyChanged("Library");
}
}
/// <summary>
/// Kind of resource
/// </summary>
[FhirElement("kind", InSummary=true, Order=370)]
[DataMember]
public Code<Hl7.Fhir.Model.ActivityDefinition.RequestResourceType> KindElement
{
get { return _KindElement; }
set { _KindElement = value; OnPropertyChanged("KindElement"); }
}
private Code<Hl7.Fhir.Model.ActivityDefinition.RequestResourceType> _KindElement;
/// <summary>
/// Kind of resource
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public Hl7.Fhir.Model.ActivityDefinition.RequestResourceType? Kind
{
get { return KindElement != null ? KindElement.Value : null; }
set
{
if (value == null)
KindElement = null;
else
KindElement = new Code<Hl7.Fhir.Model.ActivityDefinition.RequestResourceType>(value);
OnPropertyChanged("Kind");
}
}
/// <summary>
/// What profile the resource needs to conform to
/// </summary>
[FhirElement("profile", Order=380)]
[DataMember]
public Hl7.Fhir.Model.Canonical ProfileElement
{
get { return _ProfileElement; }
set { _ProfileElement = value; OnPropertyChanged("ProfileElement"); }
}
private Hl7.Fhir.Model.Canonical _ProfileElement;
/// <summary>
/// What profile the resource needs to conform to
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Profile
{
get { return ProfileElement != null ? ProfileElement.Value : null; }
set
{
if (value == null)
ProfileElement = null;
else
ProfileElement = new Hl7.Fhir.Model.Canonical(value);
OnPropertyChanged("Profile");
}
}
/// <summary>
/// Detail type of activity
/// </summary>
[FhirElement("code", InSummary=true, Order=390)]
[DataMember]
public Hl7.Fhir.Model.CodeableConcept Code
{
get { return _Code; }
set { _Code = value; OnPropertyChanged("Code"); }
}
private Hl7.Fhir.Model.CodeableConcept _Code;
/// <summary>
/// proposal | plan | directive | order | original-order | reflex-order | filler-order | instance-order | option
/// </summary>
[FhirElement("intent", Order=400)]
[DataMember]
public Code<Hl7.Fhir.Model.RequestIntent> IntentElement
{
get { return _IntentElement; }
set { _IntentElement = value; OnPropertyChanged("IntentElement"); }
}
private Code<Hl7.Fhir.Model.RequestIntent> _IntentElement;
/// <summary>
/// proposal | plan | directive | order | original-order | reflex-order | filler-order | instance-order | option
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public Hl7.Fhir.Model.RequestIntent? Intent
{
get { return IntentElement != null ? IntentElement.Value : null; }
set
{
if (value == null)
IntentElement = null;
else
IntentElement = new Code<Hl7.Fhir.Model.RequestIntent>(value);
OnPropertyChanged("Intent");
}
}
/// <summary>
/// routine | urgent | asap | stat
/// </summary>
[FhirElement("priority", Order=410)]
[DataMember]
public Code<Hl7.Fhir.Model.RequestPriority> PriorityElement
{
get { return _PriorityElement; }
set { _PriorityElement = value; OnPropertyChanged("PriorityElement"); }
}
private Code<Hl7.Fhir.Model.RequestPriority> _PriorityElement;
/// <summary>
/// routine | urgent | asap | stat
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public Hl7.Fhir.Model.RequestPriority? Priority
{
get { return PriorityElement != null ? PriorityElement.Value : null; }
set
{
if (value == null)
PriorityElement = null;
else
PriorityElement = new Code<Hl7.Fhir.Model.RequestPriority>(value);
OnPropertyChanged("Priority");
}
}
/// <summary>
/// True if the activity should not be performed
/// </summary>
[FhirElement("doNotPerform", InSummary=true, Order=420)]
[DataMember]
public Hl7.Fhir.Model.FhirBoolean DoNotPerformElement
{
get { return _DoNotPerformElement; }
set { _DoNotPerformElement = value; OnPropertyChanged("DoNotPerformElement"); }
}
private Hl7.Fhir.Model.FhirBoolean _DoNotPerformElement;
/// <summary>
/// True if the activity should not be performed
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public bool? DoNotPerform
{
get { return DoNotPerformElement != null ? DoNotPerformElement.Value : null; }
set
{
if (value == null)
DoNotPerformElement = null;
else
DoNotPerformElement = new Hl7.Fhir.Model.FhirBoolean(value);
OnPropertyChanged("DoNotPerform");
}
}
/// <summary>
/// When activity is to occur
/// </summary>
[FhirElement("timing", Order=430, Choice=ChoiceType.DatatypeChoice)]
[CLSCompliant(false)]
[AllowedTypes(typeof(Hl7.Fhir.Model.Timing),typeof(Hl7.Fhir.Model.FhirDateTime),typeof(Hl7.Fhir.Model.Age),typeof(Hl7.Fhir.Model.Period),typeof(Hl7.Fhir.Model.Range),typeof(Hl7.Fhir.Model.Duration))]
[DataMember]
public Hl7.Fhir.Model.Element Timing
{
get { return _Timing; }
set { _Timing = value; OnPropertyChanged("Timing"); }
}
private Hl7.Fhir.Model.Element _Timing;
/// <summary>
/// Where it should happen
/// </summary>
[FhirElement("location", Order=440)]
[CLSCompliant(false)]
[References("Location")]
[DataMember]
public Hl7.Fhir.Model.ResourceReference Location
{
get { return _Location; }
set { _Location = value; OnPropertyChanged("Location"); }
}
private Hl7.Fhir.Model.ResourceReference _Location;
/// <summary>
/// Who should participate in the action
/// </summary>
[FhirElement("participant", Order=450)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ActivityDefinition.ParticipantComponent> Participant
{
get { if(_Participant==null) _Participant = new List<Hl7.Fhir.Model.ActivityDefinition.ParticipantComponent>(); return _Participant; }
set { _Participant = value; OnPropertyChanged("Participant"); }
}
private List<Hl7.Fhir.Model.ActivityDefinition.ParticipantComponent> _Participant;
/// <summary>
/// What's administered/supplied
/// </summary>
[FhirElement("product", Order=460, Choice=ChoiceType.DatatypeChoice)]
[CLSCompliant(false)]
[AllowedTypes(typeof(Hl7.Fhir.Model.ResourceReference),typeof(Hl7.Fhir.Model.CodeableConcept))]
[DataMember]
public Hl7.Fhir.Model.Element Product
{
get { return _Product; }
set { _Product = value; OnPropertyChanged("Product"); }
}
private Hl7.Fhir.Model.Element _Product;
/// <summary>
/// How much is administered/consumed/supplied
/// </summary>
[FhirElement("quantity", Order=470)]
[DataMember]
public Hl7.Fhir.Model.Quantity Quantity
{
get { return _Quantity; }
set { _Quantity = value; OnPropertyChanged("Quantity"); }
}
private Hl7.Fhir.Model.Quantity _Quantity;
/// <summary>
/// Detailed dosage instructions
/// </summary>
[FhirElement("dosage", Order=480)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.Dosage> Dosage
{
get { if(_Dosage==null) _Dosage = new List<Hl7.Fhir.Model.Dosage>(); return _Dosage; }
set { _Dosage = value; OnPropertyChanged("Dosage"); }
}
private List<Hl7.Fhir.Model.Dosage> _Dosage;
/// <summary>
/// What part of body to perform on
/// </summary>
[FhirElement("bodySite", Order=490)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.CodeableConcept> BodySite
{
get { if(_BodySite==null) _BodySite = new List<Hl7.Fhir.Model.CodeableConcept>(); return _BodySite; }
set { _BodySite = value; OnPropertyChanged("BodySite"); }
}
private List<Hl7.Fhir.Model.CodeableConcept> _BodySite;
/// <summary>
/// What specimens are required to perform this action
/// </summary>
[FhirElement("specimenRequirement", Order=500)]
[CLSCompliant(false)]
[References("SpecimenDefinition")]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ResourceReference> SpecimenRequirement
{
get { if(_SpecimenRequirement==null) _SpecimenRequirement = new List<Hl7.Fhir.Model.ResourceReference>(); return _SpecimenRequirement; }
set { _SpecimenRequirement = value; OnPropertyChanged("SpecimenRequirement"); }
}
private List<Hl7.Fhir.Model.ResourceReference> _SpecimenRequirement;
/// <summary>
/// What observations are required to perform this action
/// </summary>
[FhirElement("observationRequirement", Order=510)]
[CLSCompliant(false)]
[References("ObservationDefinition")]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ResourceReference> ObservationRequirement
{
get { if(_ObservationRequirement==null) _ObservationRequirement = new List<Hl7.Fhir.Model.ResourceReference>(); return _ObservationRequirement; }
set { _ObservationRequirement = value; OnPropertyChanged("ObservationRequirement"); }
}
private List<Hl7.Fhir.Model.ResourceReference> _ObservationRequirement;
/// <summary>
/// What observations must be produced by this action
/// </summary>
[FhirElement("observationResultRequirement", Order=520)]
[CLSCompliant(false)]
[References("ObservationDefinition")]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ResourceReference> ObservationResultRequirement
{
get { if(_ObservationResultRequirement==null) _ObservationResultRequirement = new List<Hl7.Fhir.Model.ResourceReference>(); return _ObservationResultRequirement; }
set { _ObservationResultRequirement = value; OnPropertyChanged("ObservationResultRequirement"); }
}
private List<Hl7.Fhir.Model.ResourceReference> _ObservationResultRequirement;
/// <summary>
/// Transform to apply the template
/// </summary>
[FhirElement("transform", Order=530)]
[DataMember]
public Hl7.Fhir.Model.Canonical TransformElement
{
get { return _TransformElement; }
set { _TransformElement = value; OnPropertyChanged("TransformElement"); }
}
private Hl7.Fhir.Model.Canonical _TransformElement;
/// <summary>
/// Transform to apply the template
/// </summary>
/// <remarks>This uses the native .NET datatype, rather than the FHIR equivalent</remarks>
[NotMapped]
[IgnoreDataMemberAttribute]
public string Transform
{
get { return TransformElement != null ? TransformElement.Value : null; }
set
{
if (value == null)
TransformElement = null;
else
TransformElement = new Hl7.Fhir.Model.Canonical(value);
OnPropertyChanged("Transform");
}
}
/// <summary>
/// Dynamic aspects of the definition
/// </summary>
[FhirElement("dynamicValue", Order=540)]
[Cardinality(Min=0,Max=-1)]
[DataMember]
public List<Hl7.Fhir.Model.ActivityDefinition.DynamicValueComponent> DynamicValue
{
get { if(_DynamicValue==null) _DynamicValue = new List<Hl7.Fhir.Model.ActivityDefinition.DynamicValueComponent>(); return _DynamicValue; }
set { _DynamicValue = value; OnPropertyChanged("DynamicValue"); }
}
private List<Hl7.Fhir.Model.ActivityDefinition.DynamicValueComponent> _DynamicValue;
public static ElementDefinition.ConstraintComponent ActivityDefinition_CNL_0 = new ElementDefinition.ConstraintComponent()
{
Expression = "name.matches('[A-Z]([A-Za-z0-9_]){0,254}')",
Key = "cnl-0",
Severity = ElementDefinition.ConstraintSeverity.Warning,
Human = "Name should be usable as an identifier for the module by machine processing applications such as code generation",
Xpath = "not(exists(f:name/@value)) or matches(f:name/@value, '[A-Z]([A-Za-z0-9_]){0,254}')"
};
public override void AddDefaultConstraints()
{
base.AddDefaultConstraints();
InvariantConstraints.Add(ActivityDefinition_CNL_0);
}
public override IDeepCopyable CopyTo(IDeepCopyable other)
{
var dest = other as ActivityDefinition;
if (dest == null)
{
throw new ArgumentException("Can only copy to an object of the same type", "other");
}
base.CopyTo(dest);
if(UrlElement != null) dest.UrlElement = (Hl7.Fhir.Model.FhirUri)UrlElement.DeepCopy();
if(Identifier != null) dest.Identifier = new List<Hl7.Fhir.Model.Identifier>(Identifier.DeepCopy());
if(VersionElement != null) dest.VersionElement = (Hl7.Fhir.Model.FhirString)VersionElement.DeepCopy();
if(NameElement != null) dest.NameElement = (Hl7.Fhir.Model.FhirString)NameElement.DeepCopy();
if(TitleElement != null) dest.TitleElement = (Hl7.Fhir.Model.FhirString)TitleElement.DeepCopy();
if(SubtitleElement != null) dest.SubtitleElement = (Hl7.Fhir.Model.FhirString)SubtitleElement.DeepCopy();
if(StatusElement != null) dest.StatusElement = (Code<Hl7.Fhir.Model.PublicationStatus>)StatusElement.DeepCopy();
if(ExperimentalElement != null) dest.ExperimentalElement = (Hl7.Fhir.Model.FhirBoolean)ExperimentalElement.DeepCopy();
if(Subject != null) dest.Subject = (Hl7.Fhir.Model.Element)Subject.DeepCopy();
if(DateElement != null) dest.DateElement = (Hl7.Fhir.Model.FhirDateTime)DateElement.DeepCopy();
if(PublisherElement != null) dest.PublisherElement = (Hl7.Fhir.Model.FhirString)PublisherElement.DeepCopy();
if(Contact != null) dest.Contact = new List<Hl7.Fhir.Model.ContactDetail>(Contact.DeepCopy());
if(Description != null) dest.Description = (Hl7.Fhir.Model.Markdown)Description.DeepCopy();
if(UseContext != null) dest.UseContext = new List<Hl7.Fhir.Model.UsageContext>(UseContext.DeepCopy());
if(Jurisdiction != null) dest.Jurisdiction = new List<Hl7.Fhir.Model.CodeableConcept>(Jurisdiction.DeepCopy());
if(Purpose != null) dest.Purpose = (Hl7.Fhir.Model.Markdown)Purpose.DeepCopy();
if(UsageElement != null) dest.UsageElement = (Hl7.Fhir.Model.FhirString)UsageElement.DeepCopy();
if(Copyright != null) dest.Copyright = (Hl7.Fhir.Model.Markdown)Copyright.DeepCopy();
if(ApprovalDateElement != null) dest.ApprovalDateElement = (Hl7.Fhir.Model.Date)ApprovalDateElement.DeepCopy();
if(LastReviewDateElement != null) dest.LastReviewDateElement = (Hl7.Fhir.Model.Date)LastReviewDateElement.DeepCopy();
if(EffectivePeriod != null) dest.EffectivePeriod = (Hl7.Fhir.Model.Period)EffectivePeriod.DeepCopy();
if(Topic != null) dest.Topic = new List<Hl7.Fhir.Model.CodeableConcept>(Topic.DeepCopy());
if(Author != null) dest.Author = new List<Hl7.Fhir.Model.ContactDetail>(Author.DeepCopy());
if(Editor != null) dest.Editor = new List<Hl7.Fhir.Model.ContactDetail>(Editor.DeepCopy());
if(Reviewer != null) dest.Reviewer = new List<Hl7.Fhir.Model.ContactDetail>(Reviewer.DeepCopy());
if(Endorser != null) dest.Endorser = new List<Hl7.Fhir.Model.ContactDetail>(Endorser.DeepCopy());
if(RelatedArtifact != null) dest.RelatedArtifact = new List<Hl7.Fhir.Model.RelatedArtifact>(RelatedArtifact.DeepCopy());
if(LibraryElement != null) dest.LibraryElement = new List<Hl7.Fhir.Model.Canonical>(LibraryElement.DeepCopy());
if(KindElement != null) dest.KindElement = (Code<Hl7.Fhir.Model.ActivityDefinition.RequestResourceType>)KindElement.DeepCopy();
if(ProfileElement != null) dest.ProfileElement = (Hl7.Fhir.Model.Canonical)ProfileElement.DeepCopy();
if(Code != null) dest.Code = (Hl7.Fhir.Model.CodeableConcept)Code.DeepCopy();
if(IntentElement != null) dest.IntentElement = (Code<Hl7.Fhir.Model.RequestIntent>)IntentElement.DeepCopy();
if(PriorityElement != null) dest.PriorityElement = (Code<Hl7.Fhir.Model.RequestPriority>)PriorityElement.DeepCopy();
if(DoNotPerformElement != null) dest.DoNotPerformElement = (Hl7.Fhir.Model.FhirBoolean)DoNotPerformElement.DeepCopy();
if(Timing != null) dest.Timing = (Hl7.Fhir.Model.Element)Timing.DeepCopy();
if(Location != null) dest.Location = (Hl7.Fhir.Model.ResourceReference)Location.DeepCopy();
if(Participant != null) dest.Participant = new List<Hl7.Fhir.Model.ActivityDefinition.ParticipantComponent>(Participant.DeepCopy());
if(Product != null) dest.Product = (Hl7.Fhir.Model.Element)Product.DeepCopy();
if(Quantity != null) dest.Quantity = (Hl7.Fhir.Model.Quantity)Quantity.DeepCopy();
if(Dosage != null) dest.Dosage = new List<Hl7.Fhir.Model.Dosage>(Dosage.DeepCopy());
if(BodySite != null) dest.BodySite = new List<Hl7.Fhir.Model.CodeableConcept>(BodySite.DeepCopy());
if(SpecimenRequirement != null) dest.SpecimenRequirement = new List<Hl7.Fhir.Model.ResourceReference>(SpecimenRequirement.DeepCopy());
if(ObservationRequirement != null) dest.ObservationRequirement = new List<Hl7.Fhir.Model.ResourceReference>(ObservationRequirement.DeepCopy());
if(ObservationResultRequirement != null) dest.ObservationResultRequirement = new List<Hl7.Fhir.Model.ResourceReference>(ObservationResultRequirement.DeepCopy());
if(TransformElement != null) dest.TransformElement = (Hl7.Fhir.Model.Canonical)TransformElement.DeepCopy();
if(DynamicValue != null) dest.DynamicValue = new List<Hl7.Fhir.Model.ActivityDefinition.DynamicValueComponent>(DynamicValue.DeepCopy());
return dest;
}
public override IDeepCopyable DeepCopy()
{
return CopyTo(new ActivityDefinition());
}
public override bool Matches(IDeepComparable other)
{
var otherT = other as ActivityDefinition;
if(otherT == null) return false;
if(!base.Matches(otherT)) return false;
if( !DeepComparable.Matches(UrlElement, otherT.UrlElement)) return false;
if( !DeepComparable.Matches(Identifier, otherT.Identifier)) return false;
if( !DeepComparable.Matches(VersionElement, otherT.VersionElement)) return false;
if( !DeepComparable.Matches(NameElement, otherT.NameElement)) return false;
if( !DeepComparable.Matches(TitleElement, otherT.TitleElement)) return false;
if( !DeepComparable.Matches(SubtitleElement, otherT.SubtitleElement)) return false;
if( !DeepComparable.Matches(StatusElement, otherT.StatusElement)) return false;
if( !DeepComparable.Matches(ExperimentalElement, otherT.ExperimentalElement)) return false;
if( !DeepComparable.Matches(Subject, otherT.Subject)) return false;
if( !DeepComparable.Matches(DateElement, otherT.DateElement)) return false;
if( !DeepComparable.Matches(PublisherElement, otherT.PublisherElement)) return false;
if( !DeepComparable.Matches(Contact, otherT.Contact)) return false;
if( !DeepComparable.Matches(Description, otherT.Description)) return false;
if( !DeepComparable.Matches(UseContext, otherT.UseContext)) return false;
if( !DeepComparable.Matches(Jurisdiction, otherT.Jurisdiction)) return false;
if( !DeepComparable.Matches(Purpose, otherT.Purpose)) return false;
if( !DeepComparable.Matches(UsageElement, otherT.UsageElement)) return false;
if( !DeepComparable.Matches(Copyright, otherT.Copyright)) return false;
if( !DeepComparable.Matches(ApprovalDateElement, otherT.ApprovalDateElement)) return false;
if( !DeepComparable.Matches(LastReviewDateElement, otherT.LastReviewDateElement)) return false;
if( !DeepComparable.Matches(EffectivePeriod, otherT.EffectivePeriod)) return false;
if( !DeepComparable.Matches(Topic, otherT.Topic)) return false;
if( !DeepComparable.Matches(Author, otherT.Author)) return false;
if( !DeepComparable.Matches(Editor, otherT.Editor)) return false;
if( !DeepComparable.Matches(Reviewer, otherT.Reviewer)) return false;
if( !DeepComparable.Matches(Endorser, otherT.Endorser)) return false;
if( !DeepComparable.Matches(RelatedArtifact, otherT.RelatedArtifact)) return false;
if( !DeepComparable.Matches(LibraryElement, otherT.LibraryElement)) return false;
if( !DeepComparable.Matches(KindElement, otherT.KindElement)) return false;
if( !DeepComparable.Matches(ProfileElement, otherT.ProfileElement)) return false;
if( !DeepComparable.Matches(Code, otherT.Code)) return false;
if( !DeepComparable.Matches(IntentElement, otherT.IntentElement)) return false;
if( !DeepComparable.Matches(PriorityElement, otherT.PriorityElement)) return false;
if( !DeepComparable.Matches(DoNotPerformElement, otherT.DoNotPerformElement)) return false;
if( !DeepComparable.Matches(Timing, otherT.Timing)) return false;
if( !DeepComparable.Matches(Location, otherT.Location)) return false;
if( !DeepComparable.Matches(Participant, otherT.Participant)) return false;
if( !DeepComparable.Matches(Product, otherT.Product)) return false;
if( !DeepComparable.Matches(Quantity, otherT.Quantity)) return false;
if( !DeepComparable.Matches(Dosage, otherT.Dosage)) return false;
if( !DeepComparable.Matches(BodySite, otherT.BodySite)) return false;
if( !DeepComparable.Matches(SpecimenRequirement, otherT.SpecimenRequirement)) return false;
if( !DeepComparable.Matches(ObservationRequirement, otherT.ObservationRequirement)) return false;
if( !DeepComparable.Matches(ObservationResultRequirement, otherT.ObservationResultRequirement)) return false;
if( !DeepComparable.Matches(TransformElement, otherT.TransformElement)) return false;
if( !DeepComparable.Matches(DynamicValue, otherT.DynamicValue)) return false;
return true;
}
public override bool IsExactly(IDeepComparable other)
{
var otherT = other as ActivityDefinition;
if(otherT == null) return false;
if(!base.IsExactly(otherT)) return false;
if( !DeepComparable.IsExactly(UrlElement, otherT.UrlElement)) return false;
if( !DeepComparable.IsExactly(Identifier, otherT.Identifier)) return false;
if( !DeepComparable.IsExactly(VersionElement, otherT.VersionElement)) return false;
if( !DeepComparable.IsExactly(NameElement, otherT.NameElement)) return false;
if( !DeepComparable.IsExactly(TitleElement, otherT.TitleElement)) return false;
if( !DeepComparable.IsExactly(SubtitleElement, otherT.SubtitleElement)) return false;
if( !DeepComparable.IsExactly(StatusElement, otherT.StatusElement)) return false;
if( !DeepComparable.IsExactly(ExperimentalElement, otherT.ExperimentalElement)) return false;
if( !DeepComparable.IsExactly(Subject, otherT.Subject)) return false;
if( !DeepComparable.IsExactly(DateElement, otherT.DateElement)) return false;
if( !DeepComparable.IsExactly(PublisherElement, otherT.PublisherElement)) return false;
if( !DeepComparable.IsExactly(Contact, otherT.Contact)) return false;
if( !DeepComparable.IsExactly(Description, otherT.Description)) return false;
if( !DeepComparable.IsExactly(UseContext, otherT.UseContext)) return false;
if( !DeepComparable.IsExactly(Jurisdiction, otherT.Jurisdiction)) return false;
if( !DeepComparable.IsExactly(Purpose, otherT.Purpose)) return false;
if( !DeepComparable.IsExactly(UsageElement, otherT.UsageElement)) return false;
if( !DeepComparable.IsExactly(Copyright, otherT.Copyright)) return false;
if( !DeepComparable.IsExactly(ApprovalDateElement, otherT.ApprovalDateElement)) return false;
if( !DeepComparable.IsExactly(LastReviewDateElement, otherT.LastReviewDateElement)) return false;
if( !DeepComparable.IsExactly(EffectivePeriod, otherT.EffectivePeriod)) return false;
if( !DeepComparable.IsExactly(Topic, otherT.Topic)) return false;
if( !DeepComparable.IsExactly(Author, otherT.Author)) return false;
if( !DeepComparable.IsExactly(Editor, otherT.Editor)) return false;
if( !DeepComparable.IsExactly(Reviewer, otherT.Reviewer)) return false;
if( !DeepComparable.IsExactly(Endorser, otherT.Endorser)) return false;
if( !DeepComparable.IsExactly(RelatedArtifact, otherT.RelatedArtifact)) return false;
if( !DeepComparable.IsExactly(LibraryElement, otherT.LibraryElement)) return false;
if( !DeepComparable.IsExactly(KindElement, otherT.KindElement)) return false;
if( !DeepComparable.IsExactly(ProfileElement, otherT.ProfileElement)) return false;
if( !DeepComparable.IsExactly(Code, otherT.Code)) return false;
if( !DeepComparable.IsExactly(IntentElement, otherT.IntentElement)) return false;
if( !DeepComparable.IsExactly(PriorityElement, otherT.PriorityElement)) return false;
if( !DeepComparable.IsExactly(DoNotPerformElement, otherT.DoNotPerformElement)) return false;
if( !DeepComparable.IsExactly(Timing, otherT.Timing)) return false;
if( !DeepComparable.IsExactly(Location, otherT.Location)) return false;
if( !DeepComparable.IsExactly(Participant, otherT.Participant)) return false;
if( !DeepComparable.IsExactly(Product, otherT.Product)) return false;
if( !DeepComparable.IsExactly(Quantity, otherT.Quantity)) return false;
if( !DeepComparable.IsExactly(Dosage, otherT.Dosage)) return false;
if( !DeepComparable.IsExactly(BodySite, otherT.BodySite)) return false;
if( !DeepComparable.IsExactly(SpecimenRequirement, otherT.SpecimenRequirement)) return false;
if( !DeepComparable.IsExactly(ObservationRequirement, otherT.ObservationRequirement)) return false;
if( !DeepComparable.IsExactly(ObservationResultRequirement, otherT.ObservationResultRequirement)) return false;
if( !DeepComparable.IsExactly(TransformElement, otherT.TransformElement)) return false;
if( !DeepComparable.IsExactly(DynamicValue, otherT.DynamicValue)) return false;
return true;
}
[NotMapped]
public override IEnumerable<Base> Children
{
get
{
foreach (var item in base.Children) yield return item;
if (UrlElement != null) yield return UrlElement;
foreach (var elem in Identifier) { if (elem != null) yield return elem; }
if (VersionElement != null) yield return VersionElement;
if (NameElement != null) yield return NameElement;
if (TitleElement != null) yield return TitleElement;
if (SubtitleElement != null) yield return SubtitleElement;
if (StatusElement != null) yield return StatusElement;
if (ExperimentalElement != null) yield return ExperimentalElement;
if (Subject != null) yield return Subject;
if (DateElement != null) yield return DateElement;
if (PublisherElement != null) yield return PublisherElement;
foreach (var elem in Contact) { if (elem != null) yield return elem; }
if (Description != null) yield return Description;
foreach (var elem in UseContext) { if (elem != null) yield return elem; }
foreach (var elem in Jurisdiction) { if (elem != null) yield return elem; }
if (Purpose != null) yield return Purpose;
if (UsageElement != null) yield return UsageElement;
if (Copyright != null) yield return Copyright;
if (ApprovalDateElement != null) yield return ApprovalDateElement;
if (LastReviewDateElement != null) yield return LastReviewDateElement;
if (EffectivePeriod != null) yield return EffectivePeriod;
foreach (var elem in Topic) { if (elem != null) yield return elem; }
foreach (var elem in Author) { if (elem != null) yield return elem; }
foreach (var elem in Editor) { if (elem != null) yield return elem; }
foreach (var elem in Reviewer) { if (elem != null) yield return elem; }
foreach (var elem in Endorser) { if (elem != null) yield return elem; }
foreach (var elem in RelatedArtifact) { if (elem != null) yield return elem; }
foreach (var elem in LibraryElement) { if (elem != null) yield return elem; }
if (KindElement != null) yield return KindElement;
if (ProfileElement != null) yield return ProfileElement;
if (Code != null) yield return Code;
if (IntentElement != null) yield return IntentElement;
if (PriorityElement != null) yield return PriorityElement;
if (DoNotPerformElement != null) yield return DoNotPerformElement;
if (Timing != null) yield return Timing;
if (Location != null) yield return Location;
foreach (var elem in Participant) { if (elem != null) yield return elem; }
if (Product != null) yield return Product;
if (Quantity != null) yield return Quantity;
foreach (var elem in Dosage) { if (elem != null) yield return elem; }
foreach (var elem in BodySite) { if (elem != null) yield return elem; }
foreach (var elem in SpecimenRequirement) { if (elem != null) yield return elem; }
foreach (var elem in ObservationRequirement) { if (elem != null) yield return elem; }
foreach (var elem in ObservationResultRequirement) { if (elem != null) yield return elem; }
if (TransformElement != null) yield return TransformElement;
foreach (var elem in DynamicValue) { if (elem != null) yield return elem; }
}
}
[NotMapped]
public override IEnumerable<ElementValue> NamedChildren
{
get
{
foreach (var item in base.NamedChildren) yield return item;
if (UrlElement != null) yield return new ElementValue("url", UrlElement);
foreach (var elem in Identifier) { if (elem != null) yield return new ElementValue("identifier", elem); }
if (VersionElement != null) yield return new ElementValue("version", VersionElement);
if (NameElement != null) yield return new ElementValue("name", NameElement);
if (TitleElement != null) yield return new ElementValue("title", TitleElement);
if (SubtitleElement != null) yield return new ElementValue("subtitle", SubtitleElement);
if (StatusElement != null) yield return new ElementValue("status", StatusElement);
if (ExperimentalElement != null) yield return new ElementValue("experimental", ExperimentalElement);
if (Subject != null) yield return new ElementValue("subject", Subject);
if (DateElement != null) yield return new ElementValue("date", DateElement);
if (PublisherElement != null) yield return new ElementValue("publisher", PublisherElement);
foreach (var elem in Contact) { if (elem != null) yield return new ElementValue("contact", elem); }
if (Description != null) yield return new ElementValue("description", Description);
foreach (var elem in UseContext) { if (elem != null) yield return new ElementValue("useContext", elem); }
foreach (var elem in Jurisdiction) { if (elem != null) yield return new ElementValue("jurisdiction", elem); }
if (Purpose != null) yield return new ElementValue("purpose", Purpose);
if (UsageElement != null) yield return new ElementValue("usage", UsageElement);
if (Copyright != null) yield return new ElementValue("copyright", Copyright);
if (ApprovalDateElement != null) yield return new ElementValue("approvalDate", ApprovalDateElement);
if (LastReviewDateElement != null) yield return new ElementValue("lastReviewDate", LastReviewDateElement);
if (EffectivePeriod != null) yield return new ElementValue("effectivePeriod", EffectivePeriod);
foreach (var elem in Topic) { if (elem != null) yield return new ElementValue("topic", elem); }
foreach (var elem in Author) { if (elem != null) yield return new ElementValue("author", elem); }
foreach (var elem in Editor) { if (elem != null) yield return new ElementValue("editor", elem); }
foreach (var elem in Reviewer) { if (elem != null) yield return new ElementValue("reviewer", elem); }
foreach (var elem in Endorser) { if (elem != null) yield return new ElementValue("endorser", elem); }
foreach (var elem in RelatedArtifact) { if (elem != null) yield return new ElementValue("relatedArtifact", elem); }
foreach (var elem in LibraryElement) { if (elem != null) yield return new ElementValue("library", elem); }
if (KindElement != null) yield return new ElementValue("kind", KindElement);
if (ProfileElement != null) yield return new ElementValue("profile", ProfileElement);
if (Code != null) yield return new ElementValue("code", Code);
if (IntentElement != null) yield return new ElementValue("intent", IntentElement);
if (PriorityElement != null) yield return new ElementValue("priority", PriorityElement);
if (DoNotPerformElement != null) yield return new ElementValue("doNotPerform", DoNotPerformElement);
if (Timing != null) yield return new ElementValue("timing", Timing);
if (Location != null) yield return new ElementValue("location", Location);
foreach (var elem in Participant) { if (elem != null) yield return new ElementValue("participant", elem); }
if (Product != null) yield return new ElementValue("product", Product);
if (Quantity != null) yield return new ElementValue("quantity", Quantity);
foreach (var elem in Dosage) { if (elem != null) yield return new ElementValue("dosage", elem); }
foreach (var elem in BodySite) { if (elem != null) yield return new ElementValue("bodySite", elem); }
foreach (var elem in SpecimenRequirement) { if (elem != null) yield return new ElementValue("specimenRequirement", elem); }
foreach (var elem in ObservationRequirement) { if (elem != null) yield return new ElementValue("observationRequirement", elem); }
foreach (var elem in ObservationResultRequirement) { if (elem != null) yield return new ElementValue("observationResultRequirement", elem); }
if (TransformElement != null) yield return new ElementValue("transform", TransformElement);
foreach (var elem in DynamicValue) { if (elem != null) yield return new ElementValue("dynamicValue", elem); }
}
}
}
}
// end of file
| 40.049284 | 203 | 0.668803 | [
"MIT"
] | Vermonster/fhir-codegen | generated/CSharpFirely1_R5/Generated/ActivityDefinition.cs | 69,886 | C# |
/*
* Copyright (c) 2018 THL A29 Limited, a Tencent company. 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.
*/
namespace TencentCloud.Tdmq.V20200217.Models
{
using Newtonsoft.Json;
using System.Collections.Generic;
using TencentCloud.Common;
public class Cluster : AbstractModel
{
/// <summary>
/// 集群Id。
/// </summary>
[JsonProperty("ClusterId")]
public string ClusterId{ get; set; }
/// <summary>
/// 集群名称。
/// </summary>
[JsonProperty("ClusterName")]
public string ClusterName{ get; set; }
/// <summary>
/// 说明信息。
/// </summary>
[JsonProperty("Remark")]
public string Remark{ get; set; }
/// <summary>
/// 接入点数量
/// </summary>
[JsonProperty("EndPointNum")]
public long? EndPointNum{ get; set; }
/// <summary>
/// 创建时间
/// </summary>
[JsonProperty("CreateTime")]
public string CreateTime{ get; set; }
/// <summary>
/// 集群是否健康,1表示健康,0表示异常
/// </summary>
[JsonProperty("Healthy")]
public long? Healthy{ get; set; }
/// <summary>
/// 集群健康信息
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("HealthyInfo")]
public string HealthyInfo{ get; set; }
/// <summary>
/// 集群状态,0:创建中,1:正常,2:销毁中,3:已删除,4: 隔离中,5:创建失败,6: 删除失败
/// </summary>
[JsonProperty("Status")]
public long? Status{ get; set; }
/// <summary>
/// 最大命名空间数量
/// </summary>
[JsonProperty("MaxNamespaceNum")]
public long? MaxNamespaceNum{ get; set; }
/// <summary>
/// 最大Topic数量
/// </summary>
[JsonProperty("MaxTopicNum")]
public long? MaxTopicNum{ get; set; }
/// <summary>
/// 最大QPS
/// </summary>
[JsonProperty("MaxQps")]
public long? MaxQps{ get; set; }
/// <summary>
/// 最大消息保留时间,秒为单位
/// </summary>
[JsonProperty("MessageRetentionTime")]
public long? MessageRetentionTime{ get; set; }
/// <summary>
/// 最大存储容量
/// </summary>
[JsonProperty("MaxStorageCapacity")]
public long? MaxStorageCapacity{ get; set; }
/// <summary>
/// 集群版本
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("Version")]
public string Version{ get; set; }
/// <summary>
/// 公网访问接入点
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("PublicEndPoint")]
public string PublicEndPoint{ get; set; }
/// <summary>
/// VPC访问接入点
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("VpcEndPoint")]
public string VpcEndPoint{ get; set; }
/// <summary>
/// 命名空间数量
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("NamespaceNum")]
public long? NamespaceNum{ get; set; }
/// <summary>
/// 已使用存储限制,MB为单位
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("UsedStorageBudget")]
public long? UsedStorageBudget{ get; set; }
/// <summary>
/// 最大生产消息速率,以条数为单位
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("MaxPublishRateInMessages")]
public long? MaxPublishRateInMessages{ get; set; }
/// <summary>
/// 最大推送消息速率,以条数为单位
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("MaxDispatchRateInMessages")]
public long? MaxDispatchRateInMessages{ get; set; }
/// <summary>
/// 最大生产消息速率,以字节为单位
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("MaxPublishRateInBytes")]
public long? MaxPublishRateInBytes{ get; set; }
/// <summary>
/// 最大推送消息速率,以字节为单位
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("MaxDispatchRateInBytes")]
public long? MaxDispatchRateInBytes{ get; set; }
/// <summary>
/// 已创建主题数
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("TopicNum")]
public long? TopicNum{ get; set; }
/// <summary>
/// 最长消息延时,以秒为单位
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("MaxMessageDelayInSeconds")]
public long? MaxMessageDelayInSeconds{ get; set; }
/// <summary>
/// 是否开启公网访问,不填时默认开启
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("PublicAccessEnabled")]
public bool? PublicAccessEnabled{ get; set; }
/// <summary>
/// 标签
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("Tags")]
public Tag[] Tags{ get; set; }
/// <summary>
/// 计费模式:
/// 0: 按量计费
/// 1: 包年包月
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("PayMode")]
public long? PayMode{ get; set; }
/// <summary>
/// For internal usage only. DO NOT USE IT.
/// </summary>
public override void ToMap(Dictionary<string, string> map, string prefix)
{
this.SetParamSimple(map, prefix + "ClusterId", this.ClusterId);
this.SetParamSimple(map, prefix + "ClusterName", this.ClusterName);
this.SetParamSimple(map, prefix + "Remark", this.Remark);
this.SetParamSimple(map, prefix + "EndPointNum", this.EndPointNum);
this.SetParamSimple(map, prefix + "CreateTime", this.CreateTime);
this.SetParamSimple(map, prefix + "Healthy", this.Healthy);
this.SetParamSimple(map, prefix + "HealthyInfo", this.HealthyInfo);
this.SetParamSimple(map, prefix + "Status", this.Status);
this.SetParamSimple(map, prefix + "MaxNamespaceNum", this.MaxNamespaceNum);
this.SetParamSimple(map, prefix + "MaxTopicNum", this.MaxTopicNum);
this.SetParamSimple(map, prefix + "MaxQps", this.MaxQps);
this.SetParamSimple(map, prefix + "MessageRetentionTime", this.MessageRetentionTime);
this.SetParamSimple(map, prefix + "MaxStorageCapacity", this.MaxStorageCapacity);
this.SetParamSimple(map, prefix + "Version", this.Version);
this.SetParamSimple(map, prefix + "PublicEndPoint", this.PublicEndPoint);
this.SetParamSimple(map, prefix + "VpcEndPoint", this.VpcEndPoint);
this.SetParamSimple(map, prefix + "NamespaceNum", this.NamespaceNum);
this.SetParamSimple(map, prefix + "UsedStorageBudget", this.UsedStorageBudget);
this.SetParamSimple(map, prefix + "MaxPublishRateInMessages", this.MaxPublishRateInMessages);
this.SetParamSimple(map, prefix + "MaxDispatchRateInMessages", this.MaxDispatchRateInMessages);
this.SetParamSimple(map, prefix + "MaxPublishRateInBytes", this.MaxPublishRateInBytes);
this.SetParamSimple(map, prefix + "MaxDispatchRateInBytes", this.MaxDispatchRateInBytes);
this.SetParamSimple(map, prefix + "TopicNum", this.TopicNum);
this.SetParamSimple(map, prefix + "MaxMessageDelayInSeconds", this.MaxMessageDelayInSeconds);
this.SetParamSimple(map, prefix + "PublicAccessEnabled", this.PublicAccessEnabled);
this.SetParamArrayObj(map, prefix + "Tags.", this.Tags);
this.SetParamSimple(map, prefix + "PayMode", this.PayMode);
}
}
}
| 33.802469 | 107 | 0.572803 | [
"Apache-2.0"
] | tencentcloudapi-test/tencentcloud-sdk-dotnet | TencentCloud/Tdmq/V20200217/Models/Cluster.cs | 9,318 | C# |
using System;
using System.Collections.Generic;
namespace SKIT.FlurlHttpClient.Wechat.Api.Models
{
/// <summary>
/// <para>表示 [POST] /componenttcb/batchdelcsversion 接口的请求。</para>
/// </summary>
public class ComponentTcbBatchDeleteContainerServiceVersionRequest : WechatApiRequest
{
public static class Types
{
public class Version
{
/// <summary>
/// 获取或设置环境 ID。
/// </summary>
[Newtonsoft.Json.JsonProperty("env")]
[System.Text.Json.Serialization.JsonPropertyName("env")]
public string EnvironmentId { get; set; } = string.Empty;
/// <summary>
/// 获取或设置服务名。
/// </summary>
[Newtonsoft.Json.JsonProperty("service_name")]
[System.Text.Json.Serialization.JsonPropertyName("service_name")]
public string ServiceName { get; set; } = string.Empty;
/// <summary>
/// 获取或设置版本名称。
/// </summary>
[Newtonsoft.Json.JsonProperty("version_name")]
[System.Text.Json.Serialization.JsonPropertyName("version_name")]
public string VersionName { get; set; } = string.Empty;
}
}
/// <summary>
/// 获取或设置第三方平台 AccessToken。
/// </summary>
[Newtonsoft.Json.JsonIgnore]
[System.Text.Json.Serialization.JsonIgnore]
public string ComponentAccessToken { get; set; } = string.Empty;
/// <summary>
/// 获取或设置版本列表。
/// </summary>
[Newtonsoft.Json.JsonProperty("items")]
[System.Text.Json.Serialization.JsonPropertyName("items")]
public IList<Types.Version> VersionList { get; set; } = new List<Types.Version>();
}
}
| 35.075472 | 90 | 0.549758 | [
"MIT"
] | KimMeng2015/DotNetCore.SKIT.FlurlHttpClient.Wechat | src/SKIT.FlurlHttpClient.Wechat.Api/Models/ComponentTcb/ContainerService/Version/ComponentTcbBatchDeleteContainerServiceVersionRequest.cs | 1,973 | C# |
/**********************************************************************
* Copyright © 2009, 2010, 2011, 2012 OPC Foundation, Inc.
*
* The source code and all binaries built with the OPC .NET 3.0 source
* code are subject to the terms of the Express Interface Public
* License (Xi-PL). See http://www.opcfoundation.org/License/Xi-PL/
*
* The source code may be distributed from an OPC member company in
* its original or modified form to its customers and to any others who
* have software that needs to interoperate with the OPC member's OPC
* .NET 3.0 products. No other redistribution is permitted.
*
* You must not remove this notice, or any other, from this software.
*
*********************************************************************/
using System.Collections.Generic;
using System.ServiceModel;
using Xi.Contracts.Data;
namespace Xi.Contracts
{
/// <summary>
/// This interface is composed of methods used to write/update
/// data, alarms, and events and their histories.
/// </summary>
[ServiceContract(Namespace = "urn:xi/contracts")]
public interface IWrite
{
/// <summary>
/// <para>This method is used to write the values of one or more
/// data objects in a list. It is also used as a keep-alive for the
/// write endpoint by setting the listId parameter to 0. In this case,
/// null is returned immediately.</para>
/// </summary>
/// <param name="contextId">
/// The context identifier.
/// </param>
/// <param name="listId">
/// The server identifier of the list that contains data objects to be read.
/// Null if this is a keep-alive.
/// </param>
/// <param name="writeValueArrays">
/// The server aliases and values of the data objects to write.
/// </param>
/// <returns>
/// The list server aliases and result codes for the data objects whose
/// write failed. Returns null if all writes succeeded or null if this
/// is a keep-alive.
/// </returns>
[OperationContract, FaultContract(typeof(XiFault))]
List<AliasResult> WriteValues(string contextId, uint listId,
WriteValueArrays writeValueArrays);
/// <summary>
/// This method is used to write the data value, status, and
/// timestamp for one or more data objects.
/// </summary>
/// <param name="contextId">
/// The context identifier.
/// </param>
/// <param name="listId">
/// The server identifier of the list that contains the data objects
/// to be written.</param>
/// <param name="writeValueArrays">
/// The list of values to be written. For performance purposes, this list
/// is represented by typed parallel arrays for the server alias, value,
/// timestamp, and status. See the definition of DataValueArraysWithAlias
/// for more information.
/// </param>
/// <returns>
/// The list of error results. Only values that could not be written are
/// included in this list.
/// </returns>
[OperationContract, FaultContract(typeof(XiFault))]
List<AliasResult>? WriteVST(string contextId, uint listId,
DataValueArraysWithAlias writeValueArrays);
/// <summary>
/// <para>This method is used to modify historical data values.
/// The modification type parameter indicates the type of
/// modification to perform. </para>
/// </summary>
/// <param name="contextId">
/// The context identifier.
/// </param>
/// <param name="listId">
/// The server identifier of the list that contains the data objects
/// to be written.
/// </param>
/// <param name="modificationType">
/// Indicates the type of modification to perform.
/// </param>
/// <param name="valuesToWrite">
/// The array of historical values to write. Each is identified
/// by its list id, its server alias, and its timestamp.
/// </param>
/// <returns>
/// The list of identifiers and error codes for each data object
/// whose write failed. Returns null if all writes succeeded.
/// </returns>
[OperationContract, FaultContract(typeof(XiFault))]
List<DataJournalWriteResult> WriteJournalData(string contextId, uint listId,
ModificationType modificationType, WriteJournalValues[] valuesToWrite);
/// <summary>
/// <para>This method is used to modify historical alarms and/or
/// events. The modification type parameter indicates the type of
/// modification to perform. </para>
/// </summary>
/// <param name="contextId">
/// The context identifier.
/// </param>
/// <param name="listId">
/// The server identifier of the list that contains the alarms and/or
/// events to be written.
/// </param>
/// <param name="modificationType">
/// Indicates the type of modification to perform.
/// </param>
/// <param name="eventsToWrite">
/// The list of historical alarms and/or events to write. Each
/// is identified by its EventId contained in the EventMessage.
/// </param>
/// <returns>
/// The list server aliases and result codes for the alarms and/or
/// events whose write failed. Returns null if all writes succeeded.
/// </returns>
[OperationContract, FaultContract(typeof(XiFault))]
List<EventIdResult> WriteJournalEvents(string contextId, uint listId,
ModificationType modificationType, EventMessage[] eventsToWrite);
/// <summary>
/// <para>This method is used to acknowledge one or more alarms.</para>
/// </summary>
/// <param name="contextId">
/// The context identifier.
/// </param>
/// <param name="listId">
/// The server identifier for the list that contains the alarms to be
/// acknowledged.
/// </param>
/// <param name="operatorName">
/// The name or other identifier of the operator who is acknowledging
/// the alarm.
/// </param>
/// <param name="comment">
/// An optional comment submitted by the operator to accompany the
/// acknowledgement.
/// </param>
/// <param name="alarmsToAck">
/// The list of alarms to acknowledge.
/// </param>
/// <returns>
/// The list EventIds and result codes for the alarms whose
/// acknowledgement failed. Returns null if all acknowledgements
/// succeeded.
/// </returns>
[OperationContract, FaultContract(typeof(XiFault))]
List<EventIdResult>? AcknowledgeAlarms(string contextId, uint listId,
string? operatorName, string? comment, List<EventId> alarmsToAck);
/// <summary>
/// This method allows the client to send a message to the server that
/// the server delivers unmodified to the intended recipient.
/// </summary>
/// <param name="contextId">
/// The context identifier.
/// </param>
/// <param name="recipientId">
/// The recipient identifier. The list of recipients is contained in
/// the RecipientPassthroughs MIB element.
/// </param>
/// <param name="invokeId">
/// A client-defined integer identifier for this invocation of the passthrough. When
/// used with asynchronous passthroughs, the server returns the invokeId with the response.
/// </param>
/// <param name="passthroughName">
/// The name of the passthrough message. The list of passthroughs for a recipient
/// is contained in the RecipientPassthroughs MIB element.
/// </param>
/// <param name="DataToSend">
/// The Data To Send is just an array of bytes. No interpretation of the data
/// is made by the Xi server. This byte array is forwarded unaltered to the
/// underlying system. It is up to the client application to format this byte
/// array in a valid format for the underlying system.
/// </param>
/// <returns>
/// The Passthrough Result returns a Result value and a byte array as
/// returned from the underlying system. It is up to the client
/// application to interpret this byte array. If the passthrough returns its
/// response asynchronously, the result code in the response indicates whether
/// the passthrough was invoked. The results of asynchronous passthroughs are
/// returned via the callback or poll interface.
/// </returns>
[OperationContract, FaultContract(typeof(XiFault))]
PassthroughResult? Passthrough(string contextId, string recipientId, int invokeId,
string passthroughName, byte[] DataToSend);
}
}
| 40.651741 | 95 | 0.67556 | [
"MIT"
] | ru-petrovi4/Ssz.Utils | Ssz.Xi.Client/Xi.Contracts/IWrite.cs | 8,172 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using Dynamitey;
namespace SqlServerToCouchbase
{
/// <summary>
/// Use this pipeline to scramble values for the given field names.
/// Useful when working with a database with sensitive data/PII
/// </summary>
public class ScrambleSensitivePipeline : SqlPipelineBase
{
private readonly string _schemaName;
private readonly string _tableName;
private readonly string[] _fieldNames;
private readonly Random _rand;
/// <summary>
/// Use this pipeline to scramble values for the given field names.
/// Useful when working with a database with sensitive data/PII
/// </summary>
/// <param name="schemaName">Schema name</param>
/// <param name="tableName">Table name</param>
/// <param name="fieldNames">The name of the fields whose values you want scrambled when they reach Couchbase</param>
public ScrambleSensitivePipeline(string schemaName, string tableName, params string[] fieldNames) : base(schemaName, tableName)
{
_schemaName = schemaName;
_tableName = tableName;
_fieldNames = fieldNames;
_rand = new Random();
}
public override dynamic Transform(dynamic row)
{
IEnumerable<string> memberNames = Dynamic.GetMemberNames(row);
var targetFieldNames = memberNames.Where(m => _fieldNames.Contains(m));
foreach (var fieldName in targetFieldNames)
{
var val = Dynamitey.Dynamic.InvokeGet(row, fieldName); // memberNames.Keys.SingleOrDefault(k => k.Equals(fieldName, StringComparison.InvariantCultureIgnoreCase));
switch (val)
{
case int i:
Dynamic.InvokeSet(row, fieldName, _rand.Next(0, int.MaxValue));
break;
case long l:
Dynamic.InvokeSet(row, fieldName, _rand.Next(0, int.MaxValue));
break;
case short sh:
Dynamic.InvokeSet(row, fieldName, _rand.Next(0, short.MaxValue));
break;
case decimal d:
Dynamic.InvokeSet(row, fieldName, _rand.NextDecimal());
break;
case double d:
Dynamic.InvokeSet(row, fieldName, _rand.Next(0, val * _rand.NextDouble()));
break;
case string s:
Dynamic.InvokeSet(row, fieldName, RandomStringOfLength(val.ToString().Length));
break;
case DateTime dt:
Dynamic.InvokeSet(row, fieldName,
(new DateTime(1980,1,1)
.AddSeconds(_rand.Next(0,60))
.AddMinutes(_rand.Next(1,52560000))));
break;
default:
throw new ArgumentException($"For table [{_schemaName}.{_tableName}], column {fieldName}, I don't know how to scramble a type of {val.GetType()} yet. Open a GitHub issue!");
}
}
return row;
}
private string RandomStringOfLength(int length)
{
StringBuilder sb = new StringBuilder();
int numGuidsToConcat = (((length - 1) / 32) + 1);
for (int i = 1; i <= numGuidsToConcat; i++)
{
sb.Append(Guid.NewGuid().ToString("N"));
}
return sb.ToString(0, length);
}
}
} | 42.078652 | 197 | 0.540454 | [
"MIT"
] | mgroves/SqlServerToCouchbase | SqlServerToCouchbase/ScrambleSensitivePipeline.cs | 3,747 | C# |
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.RazorPages;
namespace squadup.Pages
{
public class ErrorModel : PageModel
{
public string RequestId { get; set; }
public bool ShowRequestId => !string.IsNullOrEmpty(RequestId);
[ResponseCache(Duration = 0, Location = ResponseCacheLocation.None, NoStore = true)]
public void OnGet()
{
RequestId = Activity.Current?.Id ?? HttpContext.TraceIdentifier;
}
}
}
| 26.625 | 93 | 0.669797 | [
"MIT"
] | kseebrinegar/squadup | squadup/Pages/Error.cshtml.cs | 639 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Konsole.Menus
{
public class TaskMenuItem : MenuItem
{
public TaskMenuItem(char key, string title, Action action) : base(key, title, action)
{
}
public TaskMenuItem(string title, Action action) : base(title, action)
{
}
}
}
| 20.65 | 93 | 0.651332 | [
"Apache-2.0"
] | gitter-badger/konsole | Konsole/Menus/TaskMenuItem.cs | 415 | C# |
/*
* Copyright (c) 2018 THL A29 Limited, a Tencent company. 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.
*/
namespace TencentCloud.Cr.V20180321.Models
{
using Newtonsoft.Json;
using System.Collections.Generic;
using TencentCloud.Common;
public class DescribeTaskStatusResponse : AbstractModel
{
/// <summary>
/// <p>任务结果:</p><ul style="margin-bottom:0px;"><li>处理中:"Uploading Data."</li><li>上传成功:"File Uploading Task Success."</li><li>上传失败:具体失败原因</li></ul>
/// </summary>
[JsonProperty("TaskResult")]
public string TaskResult{ get; set; }
/// <summary>
/// <p>任务类型:</p><ul style="margin-bottom:0px;"><li>到期/逾期提醒数据上传:002</li><li>到期/逾期提醒停拨数据上传:003</li><li>回访数据上传:004</li><li>回访停拨数据上传:005</li></ul>
/// </summary>
[JsonProperty("TaskType")]
public string TaskType{ get; set; }
/// <summary>
/// 过滤文件下载链接,有过滤数据时才存在。
/// 注意:此字段可能返回 null,表示取不到有效值。
/// </summary>
[JsonProperty("TaskFileUrl")]
public string TaskFileUrl{ get; set; }
/// <summary>
/// 唯一请求 ID,每次请求都会返回。定位问题时需要提供该次请求的 RequestId。
/// </summary>
[JsonProperty("RequestId")]
public string RequestId{ get; set; }
/// <summary>
/// For internal usage only. DO NOT USE IT.
/// </summary>
internal override void ToMap(Dictionary<string, string> map, string prefix)
{
this.SetParamSimple(map, prefix + "TaskResult", this.TaskResult);
this.SetParamSimple(map, prefix + "TaskType", this.TaskType);
this.SetParamSimple(map, prefix + "TaskFileUrl", this.TaskFileUrl);
this.SetParamSimple(map, prefix + "RequestId", this.RequestId);
}
}
}
| 35.272727 | 154 | 0.625859 | [
"Apache-2.0"
] | ImEdisonJiang/tencentcloud-sdk-dotnet | TencentCloud/Cr/V20180321/Models/DescribeTaskStatusResponse.cs | 2,604 | C# |
/*
* ******************************************************************************
* Copyright 2014-2017 Spectra Logic Corporation. All Rights Reserved.
* Licensed under the Apache License, Version 2.0 (the "License"). You may not use
* this file except in compliance with the License. A copy of the License is located at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* or in the "license" file accompanying this file.
* This file is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR
* CONDITIONS OF ANY KIND, either express or implied. See the License for the
* specific language governing permissions and limitations under the License.
* ****************************************************************************
*/
// This code is auto-generated, do not modify
using Ds3.Models;
namespace Ds3.Calls
{
public class ModifyDs3TargetSpectraS3Response
{
public Ds3Target ResponsePayload { get; private set; }
public ModifyDs3TargetSpectraS3Response(Ds3Target responsePayload)
{
this.ResponsePayload = responsePayload;
}
}
}
| 36.16129 | 89 | 0.607493 | [
"Apache-2.0"
] | RachelTucker/ds3_net_sdk | Ds3/Calls/ModifyDs3TargetSpectraS3Response.cs | 1,121 | C# |
// Licensed to the Apache Software Foundation (ASF) under one or more
// contributor license agreements. See the NOTICE file distributed with
// this work for additional information regarding copyright ownership.
// The ASF licenses this file to You under the Apache License, Version 2.0
// (the "License"); you may not use this file except in compliance with
// the License. You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
using System;
using System.Collections.Generic;
using System.Dynamic;
using RestSharp;
using Newtonsoft.Json;
namespace Usergrid.Sdk.Payload
{
internal class NotificationPayload
{
public IDictionary<string, object> Payloads { get; set; }
[JsonProperty("deliver", NullValueHandling = NullValueHandling.Ignore)]
public long? DeliverAt {get;set;}
[JsonProperty("expire", NullValueHandling = NullValueHandling.Ignore)]
public long? ExpireAt { get; set;}
public NotificationPayload()
{
Payloads = new Dictionary<string, object>();
}
}
}
| 36 | 75 | 0.729345 | [
"Apache-2.0"
] | AndrewLane/usergrid | sdks/dotnet/Usergrid.Sdk/Payload/NotificationPayload.cs | 1,404 | C# |
using HeroSiege.FTexture2D.FAnimation;
using Microsoft.Xna.Framework;
using Microsoft.Xna.Framework.Graphics;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace HeroSiege.FTexture2D
{
public class Sprite
{
public TextureRegion Region { get; private set; }
public Vector2 Position { get { return position; } }
protected Vector2 position;
public Vector2 Scale { get; set; }
public Vector2 Origin { get; set; }
public Vector2 DrawOffset { get; set; }
public Color Color { get; set; }
public SpriteEffects Effect { get; set; }
public float ZIndex { get; set; }
public float Rotation { get; set; }
public bool PauseAnimation { get; set; }
private Vector2 SizeScale { get; set; }
private Vector2 size;
public Vector2 Size
{
get { return size; }
set { size = value; UpdateSizeScale(); }
}
public Animations Animations { get; protected set; }
public Sprite(TextureRegion region, float x, float y, float width, float height)
{
this.ZIndex = 0;
this.Region = region;
this.Color = Color.White;
this.Scale = new Vector2(1, 1);
this.Size = new Vector2(width, height);
this.Effect = SpriteEffects.None;
this.position = new Vector2(x, y);
this.Animations = new Animations();
this.DrawOffset = new Vector2(Size.X / 2, Size.Y / 2);
UpdateSizeScale();
}
public virtual void Update(float delta)
{
Animations.Update(delta);
if (Animations.HasNext() && !PauseAnimation)
SetRegion(Animations.GetRegion());
}
public virtual void Draw(SpriteBatch batch)
{
if (Region != null)
batch.Draw(Region, Position - DrawOffset + size / 2, Region, Color, Rotation, Origin, Scale * SizeScale, Effect, ZIndex);
}
private void UpdateSizeScale()
{
if (Region != null)
{
this.SizeScale = new Vector2(Size.X / Region.GetSource().Width, Size.Y / Region.GetSource().Height);
this.Origin = new Vector2(Region.GetSource().Width / 2f, Region.GetSource().Height / 2f);
}
}
// ==== HELPERS ==== //
public Sprite AddAnimation(string name, Animation anim)
{
Animations.AddAnimation(name, anim);
return this;
}
public Sprite SetAnimation(string name)
{
Animations.SetAnimation(name);
SetRegion(Animations.GetRegion());
return this;
}
public Sprite SetScale(float x, float y)
{
this.Scale = new Vector2(x, y);
return this;
}
public Sprite SetScale(float v)
{
this.Scale = new Vector2(v, v);
return this;
}
public Sprite SetSize(float width, float height)
{
this.Size = new Vector2(width, height);
UpdateSizeScale();
return this;
}
public Sprite SetPosition(float x, float y)
{
this.position.X = x;
this.position.Y = y;
return this;
}
public Sprite SetPosition(Vector2 position)
{
this.position = position;
return this;
}
public Sprite SetRegion(TextureRegion region)
{
this.Region = region;
UpdateSizeScale();
return this;
}
public Vector2 GetRealScale()
{
return Scale * SizeScale;
}
}
}
| 26.303448 | 137 | 0.538804 | [
"MIT"
] | Gordox/ArcadeGame | HeroSiege_ArcadeMachine/HeroSiege/FTexture2D/Sprite.cs | 3,816 | C# |
using System;
using System.Collections.Concurrent;
using System.Collections.Generic;
using System.Diagnostics;
using System.IO;
using System.Linq;
using System.Reflection;
using System.Security.Cryptography;
using System.Text.Encodings.Web;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Html;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.Abstractions;
using Microsoft.AspNetCore.Mvc.ApplicationParts;
using Microsoft.AspNetCore.Mvc.ModelBinding;
using Microsoft.AspNetCore.Mvc.Razor;
using Microsoft.AspNetCore.Mvc.Razor.Compilation;
using Microsoft.AspNetCore.Mvc.Razor.Extensions;
using Microsoft.AspNetCore.Mvc.Razor.RuntimeCompilation;
using Microsoft.AspNetCore.Mvc.ViewEngines;
using Microsoft.AspNetCore.Mvc.ViewFeatures;
using Microsoft.AspNetCore.Razor.Hosting;
using Microsoft.AspNetCore.Razor.Language;
using Microsoft.AspNetCore.Routing;
using Microsoft.CodeAnalysis;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.DependencyInjection.Extensions;
using Microsoft.Extensions.Logging;
using Microsoft.Extensions.ObjectPool;
using Statiq.Common;
namespace Statiq.Razor
{
public static class IServiceCollectionExtensions
{
/// <summary>
/// Adds all services required for the <see cref="RenderRazor"/> module.
/// </summary>
/// <param name="serviceCollection">The service collection to register services in.</param>
/// <param name="fileSystem">The file system or <c>null</c> to skip.</param>
/// <param name="classCatalog">An existing class catalog or <c>null</c> to scan assemblies during registration.</param>
/// <returns>The service collection.</returns>
public static IServiceCollection AddRazor(this IServiceCollection serviceCollection, IReadOnlyFileSystem fileSystem, ClassCatalog classCatalog = null)
{
// Register the file system if we're not expecting one from an engine
if (fileSystem is object)
{
serviceCollection.TryAddSingleton(fileSystem);
}
// Register some of our own types if not already registered
serviceCollection.TryAddSingleton<Microsoft.Extensions.FileProviders.IFileProvider, FileSystemFileProvider>();
serviceCollection.TryAddSingleton<DiagnosticSource, SilentDiagnosticSource>();
serviceCollection.TryAddSingleton(new DiagnosticListener("Razor"));
serviceCollection.TryAddSingleton<IWebHostEnvironment, HostEnvironment>();
serviceCollection.TryAddSingleton<ObjectPoolProvider, DefaultObjectPoolProvider>();
serviceCollection.TryAddSingleton<StatiqRazorProjectFileSystem>();
serviceCollection.TryAddSingleton<RazorProjectFileSystem, StatiqRazorProjectFileSystem>();
serviceCollection.TryAddSingleton<RazorService>();
// Register the view location expander if not already registered
serviceCollection.Configure<RazorViewEngineOptions>(x =>
{
if (!x.ViewLocationExpanders.OfType<ViewLocationExpander>().Any())
{
x.ViewLocationExpanders.Add(new ViewLocationExpander());
}
});
// Add the default services _after_ adding our own
// (most default registration use .TryAdd...() so they skip already registered types)
IMvcCoreBuilder builder = serviceCollection
.AddMvcCore()
.AddRazorViewEngine()
.AddRazorRuntimeCompilation();
// Add all loaded assemblies
CompilationReferencesProvider referencesProvider = new CompilationReferencesProvider();
referencesProvider.Assemblies.AddRange((classCatalog ?? new ClassCatalog()).GetAssemblies());
// And a couple needed assemblies that might not be loaded in the AppDomain yet
referencesProvider.Assemblies.Add(typeof(IHtmlContent).Assembly);
referencesProvider.Assemblies.Add(Assembly.Load(new AssemblyName("Microsoft.CSharp")));
// Add the reference provider as an ApplicationPart
builder.ConfigureApplicationPartManager(x => x.ApplicationParts.Add(referencesProvider));
return serviceCollection;
}
// Need to use a custom ICompilationReferencesProvider because the default one won't provide a path for the running assembly
// (see Microsoft.AspNetCore.Mvc.ApplicationParts.AssemblyPartExtensions.GetReferencePaths() for why,
// the running assembly returns a DependencyContext when used with "dotnet run" and therefore won't return it's own path)
private class CompilationReferencesProvider : ApplicationPart, ICompilationReferencesProvider
{
public HashSet<Assembly> Assemblies { get; } = new HashSet<Assembly>(new AssemblyComparer());
public override string Name => nameof(CompilationReferencesProvider);
public IEnumerable<string> GetReferencePaths() =>
Assemblies
.Where(x => !x.IsDynamic && !string.IsNullOrEmpty(x.Location))
.Select(x => x.Location);
}
}
} | 48.962963 | 158 | 0.711989 | [
"MIT"
] | JimBobSquarePants/Statiq.Framework | src/extensions/Statiq.Razor/IServiceCollectionExtensions.cs | 5,290 | C# |
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
using Model.HHZX.UserInfomation;
using Model.HHZX.UserInfomation.CardUserInfo;
using Model.HHZX.Report;
using BLL.IBLL.HHZX.UserCard;
using BLL.Factory.HHZX;
using Microsoft.Reporting.WinForms;
using Common;
namespace WindowUI.HHZX.Report
{
public partial class frmChangeCard : BaseForm
{
CardUserMaster_cus_Info _info;
IUserCardPairBL _userCardPairBL;
public frmChangeCard()
{
InitializeComponent();
this._info = null;
this._userCardPairBL = MasterBLLFactory.GetBLL<IUserCardPairBL>(MasterBLLFactory.UserCardPair);
}
public void ShowForm(CardUserMaster_cus_Info info)
{
this._info = info;
this.ShowDialog();
}
private void btnQuery_Click(object sender, EventArgs e)
{
try
{
this.Cursor = Cursors.WaitCursor;
ChangeCardDetail_ccd_Info query = new ChangeCardDetail_ccd_Info();
query.startDate = this.rspSearch.RSP_TimeFrom;
query.endDate = this.rspSearch.RSP_TimeTo;
query.ccd_cNewID = (Int32)(this.nbbNewCardNo.DecimalValue);
if (this.rspSearch.RSP_ClassID != Guid.Empty)
{
query.classID = this.rspSearch.RSP_ClassID;
}
else if(this.rspSearch.RSP_DepartmentID != Guid.Empty)
{
query.classID = this.rspSearch.RSP_DepartmentID;
}
List<ChangeCardDetail_ccd_Info> sources = this._userCardPairBL.GetChangeCardDetail(query);
if (sources != null && sources.Count > 0)
{
ShowReport(sources);
}
else
{
ShowWarningMessage("找不到符合条件的记录。");
}
}
catch
{
}
this.Cursor = Cursors.Default;
//frmChangeCardDetail win = new frmChangeCardDetail();
//win.ShowForm(sources);
}
private void ShowReport(List<ChangeCardDetail_ccd_Info> infoList)
{
ReportDataSource rds = new ReportDataSource("Model_HHZX_Report_ChangeCardDetail_ccd_Info", infoList);
rpvMain.LocalReport.ReportPath = DefineConstantValue.ReportFileBasePath + @"ChangeCardDetail.rdlc";
rpvMain.LocalReport.DataSources.Clear();
rpvMain.LocalReport.DataSources.Add(rds);
this.rpvMain.RefreshReport();
}
}
}
| 27.84 | 113 | 0.588362 | [
"BSD-3-Clause"
] | sndnvaps/OneCard_ | WindowUI.HHZX/Report/frmChangeCard.cs | 2,808 | C# |
namespace p {
}
| 5.333333 | 13 | 0.625 | [
"Apache-2.0"
] | monoman/cnatural-language | tests/resources/ParseCompilationUnitTest/sources/EmptyNamespace.stab.cs | 16 | C# |
using System.Reflection;
using System.Resources;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
using System.Windows;
// 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("WindowsGSM")]
[assembly: AssemblyDescription("A Game Server Manager works on Windows Platform")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("TatLead")]
[assembly: AssemblyProduct("WindowsGSM")]
[assembly: AssemblyCopyright("Copyright © 2019")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]
// Setting ComVisible to false makes the types in this assembly not visible
// to COM components. If you need to access a type in this assembly from
// COM, set the ComVisible attribute to true on that type.
[assembly: ComVisible(false)]
//In order to begin building localizable applications, set
//<UICulture>CultureYouAreCodingWith</UICulture> in your .csproj file
//inside a <PropertyGroup>. For example, if you are using US english
//in your source files, set the <UICulture> to en-US. Then uncomment
//the NeutralResourceLanguage attribute below. Update the "en-US" in
//the line below to match the UICulture setting in the project file.
//[assembly: NeutralResourcesLanguage("en-US", UltimateResourceFallbackLocation.Satellite)]
[assembly: ThemeInfo(
ResourceDictionaryLocation.None, //where theme specific resource dictionaries are located
//(used if a resource is not found in the page,
// or application resource dictionaries)
ResourceDictionaryLocation.SourceAssembly //where the generic resource dictionary is located
//(used if a resource is not found in the page,
// app, or any theme specific resource dictionaries)
)]
// 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.12.0.0")]
[assembly: AssemblyFileVersion("1.12.0.0")]
[assembly: NeutralResourcesLanguage("en")]
| 42.551724 | 98 | 0.713938 | [
"MIT"
] | Kaibu/WindowsGSM | WindowsGSM/Properties/AssemblyInfo.cs | 2,471 | C# |
using Erps.DAO;
using Erps.DAO.security;
using Erps.Models;
using PagedList;
using System;
using System.Collections.Generic;
using System.Data;
using System.Data.Entity;
using System.Linq;
using System.Net;
using System.Threading.Tasks;
using System.Web.Mvc;
using WebMatrix.WebData;
namespace Erps.Controllers
{ //[CustomAuthorize(RolesConfigKey = "RolesConfigKey")]
// [CustomAuthorize(UsersConfigKey = "UsersConfigKey")]
[CustomAuthorize(Roles = "Admin")]
// [CustomAuthorize(Users = "1")]
public class ModulesController : Controller
{
private SBoardContext db = new SBoardContext();
// GET: Modules
public async Task<ActionResult> Index(string sortOrder, int? page)
{
// var Modules = db.Modules.Include(m => m.Roles);
ViewBag.NameSortParm = String.IsNullOrEmpty(sortOrder) ? "name_desc" : "";
ViewBag.ModuleSortParm = String.IsNullOrEmpty(sortOrder) ? "module" : "";
var per = from s in db.Modules.Include(m => m.Role)
select s;
switch (sortOrder)
{
case "name_desc":
per = per.OrderBy(s => s.ModulesName);
break;
default:
per = per.OrderBy(s => s.ModulesID);
break;
}
int pageSize = 10;
int pageNumber = (page ?? 1);
return View(per.ToPagedList(pageNumber, pageSize));
}
// GET: Modules/Details/5
public async Task<ActionResult> Details(int? id)
{
if (id == null)
{
return new HttpStatusCodeResult(HttpStatusCode.BadRequest);
}
Module modules = await db.Modules.FindAsync(id);
if (modules == null)
{
return HttpNotFound();
}
return View(modules);
}
// GET: Modules/Create
public ActionResult Create()
{
ViewBag.RoleID = new SelectList(db.Roles, "RoleId", "RoleName");
var list4 = db.glyphicons.ToList();
//Create List of SelectListItem
List<SelectListItem> selectlist4 = new List<SelectListItem>();
selectlist4.Add(new SelectListItem() { Text = "", Value = "" });
foreach (var row in list4)
{
//Adding every record to list
selectlist4.Add(new SelectListItem { Text = row.glyphiconname, Value = row.glyphiconname.ToString() });
}
ViewBag.Dlyp = selectlist4;
return View();
}
// POST: Modules/Create
// To protect from overposting attacks, please enable the specific properties you want to bind to, for
// more details see http://go.microsoft.com/fwlink/?LinkId=317598.
[HttpPost]
[ValidateAntiForgeryToken]
public async Task<ActionResult> Create([Bind(Include = "ModulesID,ModulesName,RoleID,glyphicon,ControllerName,ViewName,Name,IsWebForm,webFormUrl,MenuRank")] Module modules)
{
var name = db.Users.ToList().Where(a => a.Email == WebSecurity.CurrentUserName);
string username = "";
foreach (var p in name)
{
username = p.Username;
}
if (ModelState.IsValid)
{
db.Modules.Add(modules);
await db.SaveChangesAsync(username);
System.Web.HttpContext.Current.Session["NOT"] = "You have successfully added the Module";
return RedirectToAction("Index");
}
ViewBag.RoleID = new SelectList(db.Roles, "RoleId", "RoleName", modules.RoleID);
var list4 = db.glyphicons.ToList();
//Create List of SelectListItem
List<SelectListItem> selectlist4 = new List<SelectListItem>();
selectlist4.Add(new SelectListItem() { Text = "", Value = "" });
foreach (var row in list4)
{
//Adding every record to list
selectlist4.Add(new SelectListItem { Text = row.glyphiconname, Value = row.glyphiconname.ToString() });
}
ViewBag.Dlyp = selectlist4;
return View(modules);
}
// GET: Modules/Edit/5
public async Task<ActionResult> Edit(int? id)
{
if (id == null)
{
return new HttpStatusCodeResult(HttpStatusCode.BadRequest);
}
Module modules = await db.Modules.FindAsync(id);
if (modules == null)
{
return HttpNotFound();
}
ViewBag.RoleID = new SelectList(db.Roles, "RoleId", "RoleName", modules.RoleID);
var list4 = db.glyphicons.ToList();
// Create List of SelectListItem
List<SelectListItem> selectlist4 = new List<SelectListItem>();
selectlist4.Add(new SelectListItem() { Text = "", Value = "" });
foreach (var row in list4)
{
//Adding every record to list
selectlist4.Add(new SelectListItem { Text = row.glyphiconname, Value = row.glyphiconname.ToString() });
}
ViewBag.Dlyp = selectlist4;
return View(modules);
}
// POST: Modules/Edit/5
// To protect from overposting attacks, please enable the specific properties you want to bind to, for
// more details see http://go.microsoft.com/fwlink/?LinkId=317598.
[HttpPost]
[ValidateAntiForgeryToken]
public async Task<ActionResult> Edit([Bind(Include = "ModulesID,ModulesName,RoleID,glyphicon,ControllerName,ViewName,Name,IsWebForm,webFormUrl,MenuRank")] Module modules)
{
var name = db.Users.ToList().Where(a => a.Email == WebSecurity.CurrentUserName);
string username = "";
foreach (var p in name)
{
username = p.Username;
}
if (ModelState.IsValid)
{
db.Entry(modules).State = EntityState.Modified;
await db.SaveChangesAsync(username);
System.Web.HttpContext.Current.Session["NOT"] = "You have successfully updated the Module";
return RedirectToAction("Index");
}
ViewBag.RoleID = new SelectList(db.Roles, "RoleId", "RoleName", modules.RoleID);
var list4 = db.glyphicons.ToList();
// Create List of SelectListItem
List<SelectListItem> selectlist4 = new List<SelectListItem>();
selectlist4.Add(new SelectListItem() { Text = "", Value = "" });
foreach (var row in list4)
{
// Adding every record to list
selectlist4.Add(new SelectListItem { Text = row.glyphiconname, Value = row.glyphiconname.ToString() });
}
ViewBag.Dlyp = selectlist4;
return View(modules);
}
// GET: Modules/Delete/5
public async Task<ActionResult> Delete(int? id)
{
if (id == null)
{
return new HttpStatusCodeResult(HttpStatusCode.BadRequest);
}
Module modules = await db.Modules.FindAsync(id);
if (modules == null)
{
return HttpNotFound();
}
return View(modules);
}
// POST: Modules/Delete/5
[HttpPost, ActionName("Delete")]
[ValidateAntiForgeryToken]
public async Task<ActionResult> DeleteConfirmed(int id)
{
var name = db.Users.ToList().Where(a => a.Email == WebSecurity.CurrentUserName);
string username = "";
foreach (var p in name)
{
username = p.Username;
}
Module modules = await db.Modules.FindAsync(id);
db.Modules.Remove(modules);
await db.SaveChangesAsync(username);
System.Web.HttpContext.Current.Session["NOT"] = "You have successfully deleted the Module";
return RedirectToAction("Index");
}
protected override void Dispose(bool disposing)
{
if (disposing)
{
db.Dispose();
}
base.Dispose(disposing);
}
}
}
| 37.735426 | 180 | 0.552109 | [
"Apache-2.0"
] | developers-git/NewERPs | Erps/Controllers/ModulesController.cs | 8,417 | C# |
using System;
using System.Collections;
using System.Collections.Generic;
using System.Diagnostics.CodeAnalysis;
using System.Globalization;
using System.Linq;
using System.Reflection;
namespace BullsAndCows.Web.Areas.HelpPage
{
/// <summary>
/// This class will create an object of a given type and populate it with sample data.
/// </summary>
public class ObjectGenerator
{
internal const int DefaultCollectionSize = 2;
private readonly SimpleTypeObjectGenerator SimpleObjectGenerator = new SimpleTypeObjectGenerator();
/// <summary>
/// Generates an object for a given type. The type needs to be public, have a public default constructor and settable public properties/fields. Currently it supports the following types:
/// Simple types: <see cref="int"/>, <see cref="string"/>, <see cref="Enum"/>, <see cref="DateTime"/>, <see cref="Uri"/>, etc.
/// Complex types: POCO types.
/// Nullables: <see cref="Nullable{T}"/>.
/// Arrays: arrays of simple types or complex types.
/// Key value pairs: <see cref="KeyValuePair{TKey,TValue}"/>
/// Tuples: <see cref="Tuple{T1}"/>, <see cref="Tuple{T1,T2}"/>, etc
/// Dictionaries: <see cref="IDictionary{TKey,TValue}"/> or anything deriving from <see cref="IDictionary{TKey,TValue}"/>.
/// Collections: <see cref="IList{T}"/>, <see cref="IEnumerable{T}"/>, <see cref="ICollection{T}"/>, <see cref="IList"/>, <see cref="IEnumerable"/>, <see cref="ICollection"/> or anything deriving from <see cref="ICollection{T}"/> or <see cref="IList"/>.
/// Queryables: <see cref="IQueryable"/>, <see cref="IQueryable{T}"/>.
/// </summary>
/// <param name="type">The type.</param>
/// <returns>An object of the given type.</returns>
public object GenerateObject(Type type)
{
return GenerateObject(type, new Dictionary<Type, object>());
}
[SuppressMessage("Microsoft.Design", "CA1031:DoNotCatchGeneralExceptionTypes", Justification = "Here we just want to return null if anything goes wrong.")]
private object GenerateObject(Type type, Dictionary<Type, object> createdObjectReferences)
{
try
{
if (SimpleTypeObjectGenerator.CanGenerateObject(type))
{
return SimpleObjectGenerator.GenerateObject(type);
}
if (type.IsArray)
{
return GenerateArray(type, DefaultCollectionSize, createdObjectReferences);
}
if (type.IsGenericType)
{
return GenerateGenericType(type, DefaultCollectionSize, createdObjectReferences);
}
if (type == typeof(IDictionary))
{
return GenerateDictionary(typeof(Hashtable), DefaultCollectionSize, createdObjectReferences);
}
if (typeof(IDictionary).IsAssignableFrom(type))
{
return GenerateDictionary(type, DefaultCollectionSize, createdObjectReferences);
}
if (type == typeof(IList) ||
type == typeof(IEnumerable) ||
type == typeof(ICollection))
{
return GenerateCollection(typeof(ArrayList), DefaultCollectionSize, createdObjectReferences);
}
if (typeof(IList).IsAssignableFrom(type))
{
return GenerateCollection(type, DefaultCollectionSize, createdObjectReferences);
}
if (type == typeof(IQueryable))
{
return GenerateQueryable(type, DefaultCollectionSize, createdObjectReferences);
}
if (type.IsEnum)
{
return GenerateEnum(type);
}
if (type.IsPublic || type.IsNestedPublic)
{
return GenerateComplexObject(type, createdObjectReferences);
}
}
catch
{
// Returns null if anything fails
return null;
}
return null;
}
private static object GenerateGenericType(Type type, int collectionSize, Dictionary<Type, object> createdObjectReferences)
{
Type genericTypeDefinition = type.GetGenericTypeDefinition();
if (genericTypeDefinition == typeof(Nullable<>))
{
return GenerateNullable(type, createdObjectReferences);
}
if (genericTypeDefinition == typeof(KeyValuePair<,>))
{
return GenerateKeyValuePair(type, createdObjectReferences);
}
if (IsTuple(genericTypeDefinition))
{
return GenerateTuple(type, createdObjectReferences);
}
Type[] genericArguments = type.GetGenericArguments();
if (genericArguments.Length == 1)
{
if (genericTypeDefinition == typeof(IList<>) ||
genericTypeDefinition == typeof(IEnumerable<>) ||
genericTypeDefinition == typeof(ICollection<>))
{
Type collectionType = typeof(List<>).MakeGenericType(genericArguments);
return GenerateCollection(collectionType, collectionSize, createdObjectReferences);
}
if (genericTypeDefinition == typeof(IQueryable<>))
{
return GenerateQueryable(type, collectionSize, createdObjectReferences);
}
Type closedCollectionType = typeof(ICollection<>).MakeGenericType(genericArguments[0]);
if (closedCollectionType.IsAssignableFrom(type))
{
return GenerateCollection(type, collectionSize, createdObjectReferences);
}
}
if (genericArguments.Length == 2)
{
if (genericTypeDefinition == typeof(IDictionary<,>))
{
Type dictionaryType = typeof(Dictionary<,>).MakeGenericType(genericArguments);
return GenerateDictionary(dictionaryType, collectionSize, createdObjectReferences);
}
Type closedDictionaryType = typeof(IDictionary<,>).MakeGenericType(genericArguments[0], genericArguments[1]);
if (closedDictionaryType.IsAssignableFrom(type))
{
return GenerateDictionary(type, collectionSize, createdObjectReferences);
}
}
if (type.IsPublic || type.IsNestedPublic)
{
return GenerateComplexObject(type, createdObjectReferences);
}
return null;
}
private static object GenerateTuple(Type type, Dictionary<Type, object> createdObjectReferences)
{
Type[] genericArgs = type.GetGenericArguments();
object[] parameterValues = new object[genericArgs.Length];
bool failedToCreateTuple = true;
ObjectGenerator objectGenerator = new ObjectGenerator();
for (int i = 0; i < genericArgs.Length; i++)
{
parameterValues[i] = objectGenerator.GenerateObject(genericArgs[i], createdObjectReferences);
failedToCreateTuple &= parameterValues[i] == null;
}
if (failedToCreateTuple)
{
return null;
}
object result = Activator.CreateInstance(type, parameterValues);
return result;
}
private static bool IsTuple(Type genericTypeDefinition)
{
return genericTypeDefinition == typeof(Tuple<>) ||
genericTypeDefinition == typeof(Tuple<,>) ||
genericTypeDefinition == typeof(Tuple<,,>) ||
genericTypeDefinition == typeof(Tuple<,,,>) ||
genericTypeDefinition == typeof(Tuple<,,,,>) ||
genericTypeDefinition == typeof(Tuple<,,,,,>) ||
genericTypeDefinition == typeof(Tuple<,,,,,,>) ||
genericTypeDefinition == typeof(Tuple<,,,,,,,>);
}
private static object GenerateKeyValuePair(Type keyValuePairType, Dictionary<Type, object> createdObjectReferences)
{
Type[] genericArgs = keyValuePairType.GetGenericArguments();
Type typeK = genericArgs[0];
Type typeV = genericArgs[1];
ObjectGenerator objectGenerator = new ObjectGenerator();
object keyObject = objectGenerator.GenerateObject(typeK, createdObjectReferences);
object valueObject = objectGenerator.GenerateObject(typeV, createdObjectReferences);
if (keyObject == null && valueObject == null)
{
// Failed to create key and values
return null;
}
object result = Activator.CreateInstance(keyValuePairType, keyObject, valueObject);
return result;
}
private static object GenerateArray(Type arrayType, int size, Dictionary<Type, object> createdObjectReferences)
{
Type type = arrayType.GetElementType();
Array result = Array.CreateInstance(type, size);
bool areAllElementsNull = true;
ObjectGenerator objectGenerator = new ObjectGenerator();
for (int i = 0; i < size; i++)
{
object element = objectGenerator.GenerateObject(type, createdObjectReferences);
result.SetValue(element, i);
areAllElementsNull &= element == null;
}
if (areAllElementsNull)
{
return null;
}
return result;
}
private static object GenerateDictionary(Type dictionaryType, int size, Dictionary<Type, object> createdObjectReferences)
{
Type typeK = typeof(object);
Type typeV = typeof(object);
if (dictionaryType.IsGenericType)
{
Type[] genericArgs = dictionaryType.GetGenericArguments();
typeK = genericArgs[0];
typeV = genericArgs[1];
}
object result = Activator.CreateInstance(dictionaryType);
MethodInfo addMethod = dictionaryType.GetMethod("Add") ?? dictionaryType.GetMethod("TryAdd");
MethodInfo containsMethod = dictionaryType.GetMethod("Contains") ?? dictionaryType.GetMethod("ContainsKey");
ObjectGenerator objectGenerator = new ObjectGenerator();
for (int i = 0; i < size; i++)
{
object newKey = objectGenerator.GenerateObject(typeK, createdObjectReferences);
if (newKey == null)
{
// Cannot generate a valid key
return null;
}
bool containsKey = (bool)containsMethod.Invoke(result, new object[] { newKey });
if (!containsKey)
{
object newValue = objectGenerator.GenerateObject(typeV, createdObjectReferences);
addMethod.Invoke(result, new object[] { newKey, newValue });
}
}
return result;
}
private static object GenerateEnum(Type enumType)
{
Array possibleValues = Enum.GetValues(enumType);
if (possibleValues.Length > 0)
{
return possibleValues.GetValue(0);
}
return null;
}
private static object GenerateQueryable(Type queryableType, int size, Dictionary<Type, object> createdObjectReferences)
{
bool isGeneric = queryableType.IsGenericType;
object list;
if (isGeneric)
{
Type listType = typeof(List<>).MakeGenericType(queryableType.GetGenericArguments());
list = GenerateCollection(listType, size, createdObjectReferences);
}
else
{
list = GenerateArray(typeof(object[]), size, createdObjectReferences);
}
if (list == null)
{
return null;
}
if (isGeneric)
{
Type argumentType = typeof(IEnumerable<>).MakeGenericType(queryableType.GetGenericArguments());
MethodInfo asQueryableMethod = typeof(Queryable).GetMethod("AsQueryable", new[] { argumentType });
return asQueryableMethod.Invoke(null, new[] { list });
}
return Queryable.AsQueryable((IEnumerable)list);
}
private static object GenerateCollection(Type collectionType, int size, Dictionary<Type, object> createdObjectReferences)
{
Type type = collectionType.IsGenericType ?
collectionType.GetGenericArguments()[0] :
typeof(object);
object result = Activator.CreateInstance(collectionType);
MethodInfo addMethod = collectionType.GetMethod("Add");
bool areAllElementsNull = true;
ObjectGenerator objectGenerator = new ObjectGenerator();
for (int i = 0; i < size; i++)
{
object element = objectGenerator.GenerateObject(type, createdObjectReferences);
addMethod.Invoke(result, new object[] { element });
areAllElementsNull &= element == null;
}
if (areAllElementsNull)
{
return null;
}
return result;
}
private static object GenerateNullable(Type nullableType, Dictionary<Type, object> createdObjectReferences)
{
Type type = nullableType.GetGenericArguments()[0];
ObjectGenerator objectGenerator = new ObjectGenerator();
return objectGenerator.GenerateObject(type, createdObjectReferences);
}
private static object GenerateComplexObject(Type type, Dictionary<Type, object> createdObjectReferences)
{
object result = null;
if (createdObjectReferences.TryGetValue(type, out result))
{
// The object has been created already, just return it. This will handle the circular reference case.
return result;
}
if (type.IsValueType)
{
result = Activator.CreateInstance(type);
}
else
{
ConstructorInfo defaultCtor = type.GetConstructor(Type.EmptyTypes);
if (defaultCtor == null)
{
// Cannot instantiate the type because it doesn't have a default constructor
return null;
}
result = defaultCtor.Invoke(new object[0]);
}
createdObjectReferences.Add(type, result);
SetPublicProperties(type, result, createdObjectReferences);
SetPublicFields(type, result, createdObjectReferences);
return result;
}
private static void SetPublicProperties(Type type, object obj, Dictionary<Type, object> createdObjectReferences)
{
PropertyInfo[] properties = type.GetProperties(BindingFlags.Public | BindingFlags.Instance);
ObjectGenerator objectGenerator = new ObjectGenerator();
foreach (PropertyInfo property in properties)
{
if (property.CanWrite)
{
object propertyValue = objectGenerator.GenerateObject(property.PropertyType, createdObjectReferences);
property.SetValue(obj, propertyValue, null);
}
}
}
private static void SetPublicFields(Type type, object obj, Dictionary<Type, object> createdObjectReferences)
{
FieldInfo[] fields = type.GetFields(BindingFlags.Public | BindingFlags.Instance);
ObjectGenerator objectGenerator = new ObjectGenerator();
foreach (FieldInfo field in fields)
{
object fieldValue = objectGenerator.GenerateObject(field.FieldType, createdObjectReferences);
field.SetValue(obj, fieldValue);
}
}
private class SimpleTypeObjectGenerator
{
private long _index = 0;
private static readonly Dictionary<Type, Func<long, object>> DefaultGenerators = InitializeGenerators();
[SuppressMessage("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity", Justification = "These are simple type factories and cannot be split up.")]
private static Dictionary<Type, Func<long, object>> InitializeGenerators()
{
return new Dictionary<Type, Func<long, object>>
{
{ typeof(Boolean), index => true },
{ typeof(Byte), index => (Byte)64 },
{ typeof(Char), index => (Char)65 },
{ typeof(DateTime), index => DateTime.Now },
{ typeof(DateTimeOffset), index => new DateTimeOffset(DateTime.Now) },
{ typeof(DBNull), index => DBNull.Value },
{ typeof(Decimal), index => (Decimal)index },
{ typeof(Double), index => (Double)(index + 0.1) },
{ typeof(Guid), index => Guid.NewGuid() },
{ typeof(Int16), index => (Int16)(index % Int16.MaxValue) },
{ typeof(Int32), index => (Int32)(index % Int32.MaxValue) },
{ typeof(Int64), index => (Int64)index },
{ typeof(Object), index => new object() },
{ typeof(SByte), index => (SByte)64 },
{ typeof(Single), index => (Single)(index + 0.1) },
{
typeof(String), index =>
{
return String.Format(CultureInfo.CurrentCulture, "sample string {0}", index);
}
},
{
typeof(TimeSpan), index =>
{
return TimeSpan.FromTicks(1234567);
}
},
{ typeof(UInt16), index => (UInt16)(index % UInt16.MaxValue) },
{ typeof(UInt32), index => (UInt32)(index % UInt32.MaxValue) },
{ typeof(UInt64), index => (UInt64)index },
{
typeof(Uri), index =>
{
return new Uri(String.Format(CultureInfo.CurrentCulture, "http://webapihelppage{0}.com", index));
}
},
};
}
public static bool CanGenerateObject(Type type)
{
return DefaultGenerators.ContainsKey(type);
}
public object GenerateObject(Type type)
{
return DefaultGenerators[type](++_index);
}
}
}
} | 42.758772 | 261 | 0.553236 | [
"MIT"
] | dzhenko/TelerikAcademy | WebServices/BullsAndCows/BullsAndCows.Web/Areas/HelpPage/SampleGeneration/ObjectGenerator.cs | 19,498 | C# |
using HEC.Plotting.SciChart2D.DataModel;
using HEC.Plotting.SciChart2D.ViewModel;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using ViewModel.ImpactAreaScenario.Results.RowItems;
namespace ViewModel.ImpactAreaScenario.Results
{
public class DamageWithUncertaintyVM : BaseViewModel
{
private readonly HistogramData2D _data;
public SciChart2DChartViewModel ChartViewModel { get; set; } = new SciChart2DChartViewModel("Damage Uncertainty");
public List<EadRowItem> Rows { get; } = new List<EadRowItem>();
public double Mean { get; set; }
public DamageWithUncertaintyVM(metrics.Results iasResult)
{
//load with dummy data
_data = new HistogramData2D(5, 0, new double[] { }, "Chart", "Series", "X Data", "YData");
ChartViewModel.LineData.Add(_data);
loadDummyData();
Mean = .123;
}
private void loadDummyData()
{
List<double> xVals = loadXData();
List<double> yVals = loadYData();
List<EadRowItem> rows = new List<EadRowItem>();
for(int i = 0;i<xVals.Count;i++)
{
rows.Add(new EadRowItem(xVals[i], yVals[i]));
}
Rows.AddRange( rows);
}
private List<double> loadXData()
{
List<double> xValues = new List<double>();
xValues.Add(.75);
xValues.Add(.5);
xValues.Add(.25);
return xValues;
}
private List<double> loadYData()
{
List<double> yValues = new List<double>();
yValues.Add(1);
yValues.Add(2);
yValues.Add(3);
return yValues;
}
public void PlotHistogram()
{
double binWidth = 5;
double binStart = 2.5;
double[] values = new double[] {2,2.5, 2.7, 3.5, 3.8, 1, 1.5 };
HistogramData2D _data = new HistogramData2D(binWidth, binStart, values, "Chart", "Series", "X Data", "YData");
ChartViewModel.LineData.Set(new List<SciLineData>() { _data });
}
}
}
| 30.739726 | 122 | 0.565062 | [
"MIT"
] | HydrologicEngineeringCenter/HEC-FDA | ViewModel/ImpactAreaScenario/Results/DamageWithUncertaintyVM.cs | 2,246 | C# |
// <copyright file="BugReportingTimeEventHandlers.cs" company="Automate The Planet Ltd.">
// Copyright 2021 Automate The Planet Ltd.
// Licensed under the Apache License, Version 2.0 (the "License");
// You may not use this file except in compliance with the License.
// You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
// </copyright>
// <author>Anton Angelov</author>
// <site>https://bellatrix.solutions/</site>
using Bellatrix.Desktop.EventHandlers;
using Bellatrix.Desktop.Events;
namespace Bellatrix.Desktop.BugReporting
{
public class BugReportingTimeEventHandlers : TimeEventHandlers
{
protected override void SettingTimeEventHandler(object sender, ElementActionEventArgs arg) => BugReportingContextService.AddStep($"Set '{arg.ActionValue}' into {arg.Element.ElementName} on {arg.Element.PageName}");
}
}
| 49.583333 | 222 | 0.768908 | [
"Apache-2.0"
] | alexandrejulien/BELLATRIX | src/Bellatrix.Desktop/eventhandlers/BugReporting/BugReportingTimeEventHandlers.cs | 1,192 | C# |
// --------------------------------------------------------------------------------------------------------------------
// <copyright file="RWSingleController.cs" company="DTV-Online">
// Copyright(c) 2017 Dr. Peter Trimmel. All rights reserved.
// </copyright>
// <license>
// Licensed under the MIT license. See the LICENSE file in the project root for more information.
// </license>
// --------------------------------------------------------------------------------------------------------------------
namespace ModbusTCP.Controllers
{
#region Using Directives
using System.Threading.Tasks;
using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Mvc;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.Logging;
using Swashbuckle.AspNetCore.Annotations;
using NModbusTCP.Models;
using NModbusTCP.Extensions;
#endregion
/// <summary>
/// The Modbus Gateway MVC Controller for reading and writing various data values.
/// </summary>
/// <para>
/// ReadString Reads an ASCII string (multiple holding registers)
/// ReadHexString Reads an HEX string (multiple holding registers)
/// ReadBool Reads a boolean value (single coil)
/// ReadBits Reads a 16-bit bit array value (single holding register)
/// ReadShort Reads a 16 bit integer (single holding register)
/// ReadUShort Reads an unsigned 16 bit integer (single holding register)
/// ReadInt32 Reads a 32 bit integer (two holding registers)
/// ReadUInt32 Reads an unsigned 32 bit integer (two holding registers)
/// ReadFloat Reads a 32 bit IEEE floating point number (two holding registers)
/// ReadDouble Reads a 64 bit IEEE floating point number (four holding registers)
/// ReadLong Reads a 64 bit integer (four holding registers)
/// ReadULong Reads an unsigned 64 bit integer (four holding registers)
/// </para>
/// <para>
/// WriteString Writes an ASCII string (multiple holding registers)
/// WriteHexString Writes an HEX string (multiple holding registers)
/// WriteBool Writes a boolean value (single coil)
/// WriteBits Writes a 16-bit bit array value (single holding register)
/// WriteShort Writes a 16 bit integer (single holding register)
/// WriteUShort Writes an unsigned 16 bit integer (single holding register)
/// WriteInt32 Writes a 32 bit integer (two holding registers)
/// WriteUInt32 Writes an unsigned 32 bit integer (two holding registers)
/// WriteFloat Writes a 32 bit IEEE floating point number (two holding registers)
/// WriteDouble Writes a 64 bit IEEE floating point number (four holding registers)
/// WriteLong Writes a 64 bit integer (four holding registers)
/// WriteULong Writes an unsigned 64 bit integer (four holding registers)
/// </para>
[Route("api/[controller]")]
[ApiController]
[Authorize]
public class RWSingleController : ControllerBase
{
#region Private Data Members
private readonly ILogger _logger;
private readonly AppSettings _settings = new AppSettings();
#endregion
#region Constructors
/// <summary>
/// Initializes a new instance of the <see cref="RWSingleController"/> class.
/// </summary>
/// <param name="configuration">The application configuration.</param>
/// <param name="logger">The application looger.</param>
public RWSingleController(IConfiguration configuration, ILogger<RWSingleController> logger)
{
_logger = logger;
configuration.GetSection("AppSettings")?.Bind(_settings);
}
#endregion
#region Public Methods
/// <summary>
/// Reads an ASCII string (multiple holding registers) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="number">The number of characters in the string.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the string data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("String/{offset}")]
[SwaggerOperation(Tags = new[] { "String Data Values" })]
[ProducesResponseType(typeof(ModbusResponseStringData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadStringAsync(ushort offset, ushort number, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, number);
return await this.ModbusReadRequest(_logger, request, "ReadStringAsync");
}
/// <summary>
/// Reads an HEX string (multiple holding registers) from a Modbus slave.
/// </summary>
/// <remarks>Note that the resulting HEX string length is twice the number parameter.</remarks>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="number">The number of 2-bytes HEX substrings in the string.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the HEX string data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("HexString/{offset}")]
[SwaggerOperation(Tags = new[] { "HEX String Data Values" })]
[ProducesResponseType(typeof(ModbusResponseStringData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadHexStringAsync(ushort offset, ushort number, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, number);
return await this.ModbusReadRequest(_logger, request, "ReadHexStringAsync");
}
/// <summary>
/// Reads a boolean value (single coil) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the boolean data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("Bool/{offset}")]
[SwaggerOperation(Tags = new[] { "Boolean Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<bool>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadBoolAsync(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadBoolAsync");
}
/// <summary>
/// Reads a 16-bit bit array value from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the 16-bit data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("Bits/{offset}")]
[SwaggerOperation(Tags = new[] { "Bits Data Values" })]
[ProducesResponseType(typeof(ModbusResponseStringData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadBitsAsync(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadBitsAsync");
}
/// <summary>
/// Reads a 16 bit integer (single holding register) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the short data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("Short/{offset}")]
[SwaggerOperation(Tags = new[] { "Short Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<short>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadShortAsync(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadShortAsync");
}
/// <summary>
/// Reads an unsigned 16 bit integer (single holding register) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the ushort data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("UShort/{offset}")]
[SwaggerOperation(Tags = new[] { "UShort Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<ushort>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadUShortAsync(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadUShortAsync");
}
/// <summary>
/// Reads a 32 bit integer (two holding registers) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the int data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("Int32/{offset}")]
[SwaggerOperation(Tags = new[] { "Int32 Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<int>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadInt32Async(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadInt32Async");
}
/// <summary>
/// Reads an unsigned 32 bit integer (two holding registers) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the uint data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("UInt32/{offset}")]
[SwaggerOperation(Tags = new[] { "UInt32 Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<uint>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadUInt32Async(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadUInt32Async");
}
/// <summary>
/// Reads a 32 bit IEEE floating point number (two holding registers) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the float data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("Float/{offset}")]
[SwaggerOperation(Tags = new[] { "Float Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<float>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadFloatAsync(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadFloatAsync");
}
/// <summary>
/// Reads a 64 bit IEEE floating point number (four holding registers) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the double data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("Double/{offset}")]
[SwaggerOperation(Tags = new[] { "Double Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<double>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadDoubleAsync(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadDoubleAsync");
}
/// <summary>
/// Reads a 64 bit integer (four holding registers) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the long data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("Long/{offset}")]
[SwaggerOperation(Tags = new[] { "Long Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<long>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadLongAsync(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadLongAsync");
}
/// <summary>
/// Reads an unsigned 64 bit integer (four holding registers) from a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data and the ulong data value.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpGet("ULong/{offset}")]
[SwaggerOperation(Tags = new[] { "ULong Data Values" })]
[ProducesResponseType(typeof(ModbusResponseData<ulong>), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> ReadULongAsync(ushort offset, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusReadRequest(_logger, request, "ReadULongAsync");
}
/// <summary>
/// Writes an ASCII string (multiple holding registers) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus string data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("String/{offset}")]
[SwaggerOperation(Tags = new[] { "String Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteStringAsync(ushort offset, string data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, data.Length);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteStringAsync");
}
/// <summary>
/// Writes an HEX string (multiple holding registers) to a Modbus slave.
/// </summary>
/// <remarks>The HEX string is limited to pairs of HEX digits (0..9A..F).</remarks>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus HEX string data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("HexString/{offset}")]
[SwaggerOperation(Tags = new[] { "HEX String Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteHexStringAsync(ushort offset, string data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, data.Length);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteHexStringAsync");
}
/// <summary>
/// Writes a boolean value (single coil) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("Bool/{offset}")]
[SwaggerOperation(Tags = new[] { "Boolean Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteBoolAsync(ushort offset, bool data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteBoolAsync");
}
/// <summary>
/// Writes a 16-bit bit array value to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("Bits/{offset}")]
[SwaggerOperation(Tags = new[] { "Bits Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteBitsAsync(ushort offset, string data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteBitsAsync");
}
/// <summary>
/// Writes a 16 bit integer (single holding register) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("Short/{offset}")]
[SwaggerOperation(Tags = new[] { "Short Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteShortAsync(ushort offset, short data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteShortAsync");
}
/// <summary>
/// Writes an unsigned 16 bit integer (single holding register) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("UShort/{offset}")]
[SwaggerOperation(Tags = new[] { "UShort Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteUShortAsync(ushort offset, ushort data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteUShortAsync");
}
/// <summary>
/// Writes a 32 bit integer (two holding registers) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("Int32/{offset}")]
[SwaggerOperation(Tags = new[] { "Int32 Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteInt32Async(ushort offset, int data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteInt32Async");
}
/// <summary>
/// Writes an unsigned 32 bit integer (two holding registers) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("UInt32/{offset}")]
[SwaggerOperation(Tags = new[] { "UInt32 Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteUInt32Async(ushort offset, uint data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteUInt32Async");
}
/// <summary>
/// Writes a 32 bit IEEE floating point number (two holding registers) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("Float/{offset}")]
[SwaggerOperation(Tags = new[] { "Float Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteFloatAsync(ushort offset, float data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteFloatAsync");
}
/// <summary>
/// Writes a 64 bit IEEE floating point number (four holding registers) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("Double/{offset}")]
[SwaggerOperation(Tags = new[] { "Double Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteDoubleAsync(ushort offset, double data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteDoubleAsync");
}
/// <summary>
/// Writes a 64 bit integer (four holding registers) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the first data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("Long/{offset}")]
[SwaggerOperation(Tags = new[] { "Long Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteLongAsync(ushort offset, long data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteLongAsync");
}
/// <summary>
/// Writes an unsigned 64 bit integer (four holding registers) to a Modbus slave.
/// </summary>
/// <param name="offset">The Modbus address (offset) of the data item.</param>
/// <param name="data">The Modbus data value.</param>
/// <param name="address">The IP address of the Modbus TCP slave.</param>
/// <param name="port">The IP port number of the Modbus TCP slave.</param>
/// <param name="slave">The slave ID of the Modbus TCP slave.</param>
/// <returns>The action method result.</returns>
/// <response code="200">Returns the request data if OK.</response>
/// <response code="400">If the Modbus gateway has invalid arguments.</response>
/// <response code="404">If the Modbus gateway cannot connect to the slave.</response>
/// <response code="500">If an error or an unexpected exception occurs.</response>
/// <response code="502">If an unexpected exception occurs in the slave.</response>
[HttpPut("ULong/{offset}")]
[SwaggerOperation(Tags = new[] { "ULong Data Values" })]
[ProducesResponseType(typeof(ModbusRequestData), 200)]
[ProducesResponseType(typeof(string), 400)]
[ProducesResponseType(typeof(string), 404)]
[ProducesResponseType(typeof(string), 500)]
[ProducesResponseType(typeof(string), 502)]
public async Task<IActionResult> WriteULongArrayAsync(ushort offset, ulong data, string address = null, int? port = null, byte? slave = null)
{
ModbusRequestData request = new ModbusRequestData(new ModbusSlaveData(_settings, address, port, slave), offset, 1);
return await this.ModbusWriteSingleRequest(_logger, request, data, "WriteULongArrayAsync");
}
#endregion
}
}
| 64.060274 | 150 | 0.645817 | [
"MIT"
] | tilizi/NModbus | NModbusTCP/Controllers/RWSingleController.cs | 46,766 | C# |
// <auto-generated>
// Code generated by Microsoft (R) AutoRest Code Generator.
// Changes may cause incorrect behavior and will be lost if the code is
// regenerated.
// </auto-generated>
namespace Gov.Lclb.Cllb.Interfaces
{
using Microsoft.Rest;
using Models;
using System.Collections;
using System.Collections.Generic;
using System.Threading;
using System.Threading.Tasks;
/// <summary>
/// Licencetypesapplicationtypesset operations.
/// </summary>
public partial interface ILicencetypesapplicationtypesset
{
/// <summary>
/// Get entities from adoxio_licencetypes_applicationtypesset
/// </summary>
/// <param name='top'>
/// </param>
/// <param name='skip'>
/// </param>
/// <param name='search'>
/// </param>
/// <param name='filter'>
/// </param>
/// <param name='count'>
/// </param>
/// <param name='orderby'>
/// Order items by property values
/// </param>
/// <param name='select'>
/// Select properties to be returned
/// </param>
/// <param name='expand'>
/// Expand related entities
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="Microsoft.Rest.HttpOperationException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
Task<HttpOperationResponse<MicrosoftDynamicsCRMadoxioLicencetypesApplicationtypesCollection>> GetWithHttpMessagesAsync(int? top = default(int?), int? skip = default(int?), string search = default(string), string filter = default(string), bool? count = default(bool?), IList<string> orderby = default(IList<string>), IList<string> select = default(IList<string>), IList<string> expand = default(IList<string>), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Add new entity to adoxio_licencetypes_applicationtypesset
/// </summary>
/// <param name='body'>
/// New entity
/// </param>
/// <param name='prefer'>
/// Required in order for the service to return a JSON representation
/// of the object.
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="Microsoft.Rest.HttpOperationException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<HttpOperationResponse<MicrosoftDynamicsCRMadoxioLicencetypesApplicationtypes>> CreateWithHttpMessagesAsync(MicrosoftDynamicsCRMadoxioLicencetypesApplicationtypes body, string prefer = "return=representation", Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Get entity from adoxio_licencetypes_applicationtypesset by key
/// </summary>
/// <param name='adoxioLicencetypesApplicationtypesid'>
/// key: adoxio_licencetypes_applicationtypesid of
/// adoxio_licencetypes_applicationtypes
/// </param>
/// <param name='select'>
/// Select properties to be returned
/// </param>
/// <param name='expand'>
/// Expand related entities
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="Microsoft.Rest.HttpOperationException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.SerializationException">
/// Thrown when unable to deserialize the response
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<HttpOperationResponse<MicrosoftDynamicsCRMadoxioLicencetypesApplicationtypes>> GetByKeyWithHttpMessagesAsync(string adoxioLicencetypesApplicationtypesid, IList<string> select = default(IList<string>), IList<string> expand = default(IList<string>), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Update entity in adoxio_licencetypes_applicationtypesset
/// </summary>
/// <param name='adoxioLicencetypesApplicationtypesid'>
/// key: adoxio_licencetypes_applicationtypesid of
/// adoxio_licencetypes_applicationtypes
/// </param>
/// <param name='body'>
/// New property values
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="Microsoft.Rest.HttpOperationException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<HttpOperationResponse> UpdateWithHttpMessagesAsync(string adoxioLicencetypesApplicationtypesid, MicrosoftDynamicsCRMadoxioLicencetypesApplicationtypes body, Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Delete entity from adoxio_licencetypes_applicationtypesset
/// </summary>
/// <param name='adoxioLicencetypesApplicationtypesid'>
/// key: adoxio_licencetypes_applicationtypesid of
/// adoxio_licencetypes_applicationtypes
/// </param>
/// <param name='ifMatch'>
/// ETag
/// </param>
/// <param name='customHeaders'>
/// The headers that will be added to request.
/// </param>
/// <param name='cancellationToken'>
/// The cancellation token.
/// </param>
/// <exception cref="Microsoft.Rest.HttpOperationException">
/// Thrown when the operation returned an invalid status code
/// </exception>
/// <exception cref="Microsoft.Rest.ValidationException">
/// Thrown when a required parameter is null
/// </exception>
Task<HttpOperationResponse> DeleteWithHttpMessagesAsync(string adoxioLicencetypesApplicationtypesid, string ifMatch = default(string), Dictionary<string, List<string>> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken));
}
}
| 49.069182 | 540 | 0.624455 | [
"Apache-2.0"
] | BrendanBeachBC/jag-lcrb-carla-public | cllc-interfaces/Dynamics-Autorest/ILicencetypesapplicationtypesset.cs | 7,802 | C# |
using FluentValidation;
namespace SaleTheaterTickets.Models.ViewModelValidators
{
public class LoginViewModelValidator : AbstractValidator<LoginViewModel>
{
public LoginViewModelValidator()
{
RuleFor(X => X.Email)
.NotEmpty().WithMessage("Informe o e-mail")
.EmailAddress().WithMessage("Digite um e - mail válido(ana@gmail.com)");
RuleFor(x => x.Password)
.NotEmpty().WithMessage("Informe a senha");
}
}
}
| 30.352941 | 88 | 0.610465 | [
"MIT"
] | karolinagb/SaleTheaterTickets | SaleTheaterTickets/SaleTheaterTickets/Models/ViewModelValidators/LoginViewModelValidator.cs | 519 | C# |
// Copyright 2007-2015 Chris Patterson, Dru Sellers, Travis Smith, et. al.
//
// 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 MassTransit.TestFramework
{
using System;
using System.Threading;
using System.Threading.Tasks;
using Logging;
using NUnit.Framework;
using Pipeline.Pipes;
using Transports.InMemory;
[TestFixture]
public class InMemoryTestFixture :
BusTestFixture
{
static readonly ILog _log = Logger.Get<InMemoryTestFixture>();
IBusControl _bus;
Uri _inputQueueAddress;
ISendEndpoint _inputQueueSendEndpoint;
ISendEndpoint _busSendEndpoint;
BusHandle _busHandle;
readonly Uri _baseAddress;
InMemoryTransportCache _inMemoryTransportCache;
readonly IBusCreationScope _busCreationScope;
public Uri BaseAddress => _baseAddress;
public InMemoryTestFixture(bool busPerTest = false)
{
_baseAddress = new Uri("loopback://localhost/");
_inputQueueAddress = new Uri("loopback://localhost/input_queue");
if (busPerTest)
_busCreationScope = new PerTestBusCreationScope(SetupBus, TeardownBus);
else
_busCreationScope = new PerTestFixtureBusCreationScope(SetupBus, TeardownBus);
}
/// <summary>
/// The sending endpoint for the InputQueue
/// </summary>
protected ISendEndpoint InputQueueSendEndpoint => _inputQueueSendEndpoint;
/// <summary>
/// The sending endpoint for the Bus
/// </summary>
protected ISendEndpoint BusSendEndpoint => _busSendEndpoint;
protected Uri BusAddress => _bus.Address;
protected Uri InputQueueAddress
{
get { return _inputQueueAddress; }
set
{
if (Bus != null)
throw new InvalidOperationException("The LocalBus has already been created, too late to change the URI");
_inputQueueAddress = value;
}
}
protected override IBus Bus => _bus;
protected IRequestClient<TRequest, TResponse> CreateRequestClient<TRequest, TResponse>()
where TRequest : class
where TResponse : class
{
return Bus.CreateRequestClient<TRequest, TResponse>(InputQueueAddress, TestTimeout);
}
[TestFixtureSetUp]
public void SetupInMemoryTestFixture()
{
_busCreationScope.TestFixtureSetup();
}
[SetUp]
public void SetupInMemoryTest()
{
_busCreationScope.TestSetup();
}
void SetupBus()
{
_bus = CreateBus();
ConnectObservers(_bus);
_busHandle = _bus.Start();
_busSendEndpoint = Await(() => GetSendEndpoint(_bus.Address));
_inputQueueSendEndpoint = Await(() => GetSendEndpoint(InputQueueAddress));
}
protected async Task<ISendEndpoint> GetSendEndpoint(Uri address)
{
ISendEndpoint sendEndpoint = await _bus.GetSendEndpoint(address).ConfigureAwait(false);
return sendEndpoint;
}
protected IPublishEndpointProvider PublishEndpointProvider => new InMemoryPublishEndpointProvider(Bus, _inMemoryTransportCache, PublishPipe.Empty);
[TestFixtureTearDown]
public void TearDownInMemoryTestFixture()
{
_busCreationScope.TestFixtureTeardown();
}
[TearDown]
public void TearDownInMemoryTest()
{
_busCreationScope.TestTeardown();
}
void TeardownBus()
{
try
{
_busHandle?.Stop(new CancellationTokenSource(TestTimeout).Token);
}
catch (Exception ex)
{
_log.Error("Bus Stop Failed: ", ex);
throw;
}
finally
{
_busHandle = null;
_bus = null;
}
}
protected virtual void ConfigureBus(IInMemoryBusFactoryConfigurator configurator)
{
}
protected virtual void ConnectObservers(IBus bus)
{
}
protected virtual void ConfigureInputQueueEndpoint(IInMemoryReceiveEndpointConfigurator configurator)
{
}
IBusControl CreateBus()
{
return MassTransit.Bus.Factory.CreateUsingInMemory(x =>
{
_inMemoryTransportCache = new InMemoryTransportCache(Environment.ProcessorCount);
x.SetTransportProvider(_inMemoryTransportCache);
ConfigureBus(x);
x.ReceiveEndpoint("input_queue", configurator => ConfigureInputQueueEndpoint(configurator));
});
}
interface IBusCreationScope
{
void TestFixtureSetup();
void TestSetup();
void TestTeardown();
void TestFixtureTeardown();
}
class PerTestFixtureBusCreationScope : IBusCreationScope
{
readonly Action _setupBus;
readonly Action _teardownBus;
public PerTestFixtureBusCreationScope(Action setupBus, Action teardownBus)
{
_setupBus = setupBus;
_teardownBus = teardownBus;
}
public void TestFixtureSetup()
{
_setupBus();
}
public void TestSetup()
{
}
public void TestTeardown()
{
}
public void TestFixtureTeardown()
{
_teardownBus();
}
}
class PerTestBusCreationScope : IBusCreationScope
{
readonly Action _setupBus;
readonly Action _teardownBus;
public PerTestBusCreationScope(Action setupBus, Action teardownBus)
{
_setupBus = setupBus;
_teardownBus = teardownBus;
}
public void TestFixtureSetup()
{
}
public void TestSetup()
{
_setupBus();
}
public void TestTeardown()
{
_teardownBus();
}
public void TestFixtureTeardown()
{
}
}
}
} | 29.302419 | 156 | 0.554975 | [
"Apache-2.0"
] | NikGovorov/MassTransit | src/MassTransit.TestFramework/InMemoryTestFixture.cs | 7,267 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Volvox.Helios.Domain.Discord;
namespace Volvox.Helios.Web.ViewModels.Dashboard
{
public class DashboardDetailsViewModel
{
public List<UserGuild> UserGuilds { get; set; }
public Guild Guild { get; set; }
}
}
| 21.3125 | 55 | 0.721408 | [
"MIT"
] | BillChirico/Volvox.Helios | src/Volvox.Helios.Web/ViewModels/Dashboard/DashboardDetailsViewModel.cs | 343 | C# |
using System;
using System.Collections.Generic;
using System.Linq;
using Evolve.Dialect;
using Evolve.Migration;
using Evolve.Utilities;
namespace Evolve.Metadata
{
public abstract class MetadataTable : IEvolveMetadata
{
protected const string MigrationMetadataTypeNotSupported = "This method does not support the save of migration metadata. Use SaveMigration() instead.";
protected readonly DatabaseHelper _database;
/// <summary>
/// Constructor.
/// </summary>
/// <param name="schema"> Existing database schema name. </param>
/// <param name="tableName"> Metadata table name. </param>
/// <param name="database"> A database helper used to change and restore schema of the metadata table. </param>
public MetadataTable(string schema, string tableName, DatabaseHelper database)
{
Schema = Check.NotNullOrEmpty(schema, nameof(schema));
TableName = Check.NotNullOrEmpty(tableName, nameof(tableName));
_database = Check.NotNull(database, nameof(database));
}
public string Schema { get; }
public string TableName { get; }
public bool CreateIfNotExists()
{
return Execute(() => InternalCreateIfNotExists(), false);
}
public void SaveMigration(MigrationScript migration, bool success)
{
Check.NotNull(migration, nameof(migration));
Execute(() =>
{
InternalSave(new MigrationMetadata(migration.Version.Label, migration.Description, migration.Name, MetadataType.Migration)
{
Checksum = migration.CalculateChecksum(),
Success = success
});
});
}
public void Save(MetadataType type, string version, string description, string name = "")
{
if(type == MetadataType.Migration) throw new ArgumentException(MigrationMetadataTypeNotSupported, nameof(type));
Check.NotNullOrEmpty(version, nameof(version));
Check.NotNullOrEmpty(description, nameof(description));
Check.NotNull(name, nameof(name));
Execute(() =>
{
InternalSave(new MigrationMetadata(version, description, name, type)
{
Checksum = string.Empty,
Success = true
});
});
}
public void UpdateChecksum(int migrationId, string checksum)
{
Check.NotNullOrEmpty(checksum, nameof(checksum));
if (migrationId < 1) throw new ArgumentOutOfRangeException(nameof(migrationId), nameof(migrationId) + " must be positive.");
Execute(() =>
{
InternalUpdateChecksum(migrationId, checksum);
});
}
public IEnumerable<MigrationMetadata> GetAllMigrationMetadata()
{
return Execute(() =>
{
return InternalGetAllMetadata().Where(x => x.Type == MetadataType.Migration && x.Success == true)
.OrderBy(x => x.Version)
.ToList();
});
}
public bool CanDropSchema(string schemaName)
{
return Execute(() =>
{
return InternalGetAllMetadata().Where(x => x.Type == MetadataType.NewSchema && x.Name.Equals(schemaName, StringComparison.OrdinalIgnoreCase))
.Any();
});
}
public bool CanEraseSchema(string schemaName)
{
return Execute(() =>
{
return InternalGetAllMetadata().Where(x => x.Type == MetadataType.EmptySchema && x.Name.Equals(schemaName, StringComparison.OrdinalIgnoreCase))
.Any();
});
}
public MigrationVersion FindStartVersion()
{
return Execute(() =>
{
var metadata = InternalGetAllMetadata().Where(x => x.Type == MetadataType.StartVersion)
.OrderByDescending(x => x.Version)
.FirstOrDefault();
return metadata?.Version ?? MigrationVersion.MinVersion;
});
}
public bool TryLock() => Execute(() => InternalTryLock());
public bool ReleaseLock()
{
if (!InternalIsExists())
{ // The metadatatable does not exist, so neither the lock
return true;
}
return Execute(() => InternalReleaseLock(), createIfNotExists: false);
}
public bool IsExists() => Execute(() => InternalIsExists(), createIfNotExists: false);
protected abstract bool InternalIsExists();
protected void Create()
{
Execute(() =>
{
InternalCreate();
});
}
protected abstract void InternalCreate();
protected abstract bool InternalTryLock();
protected abstract bool InternalReleaseLock();
protected abstract void InternalSave(MigrationMetadata metadata);
protected abstract void InternalUpdateChecksum(int migrationId, string checksum);
protected abstract IEnumerable<MigrationMetadata> InternalGetAllMetadata();
private bool InternalCreateIfNotExists()
{
if (InternalIsExists())
{
return false;
}
else
{
InternalCreate();
return true;
}
}
private void Execute(Action action, bool createIfNotExists = true)
{
bool restoreSchema = false;
if(!_database.GetCurrentSchemaName().Equals(Schema, StringComparison.OrdinalIgnoreCase))
{
_database.ChangeSchema(Schema);
restoreSchema = true;
}
if (createIfNotExists)
{
InternalCreateIfNotExists();
}
action();
if(restoreSchema)
{
_database.RestoreOriginalSchema();
}
}
private T Execute<T>(Func<T> func, bool createIfNotExists = true)
{
bool restoreSchema = false;
if (!_database.GetCurrentSchemaName().Equals(Schema, StringComparison.OrdinalIgnoreCase))
{
_database.ChangeSchema(Schema);
restoreSchema = true;
}
if (createIfNotExists)
{
InternalCreateIfNotExists();
}
T result = func();
if (restoreSchema)
{
_database.RestoreOriginalSchema();
}
return result;
}
}
}
| 32.541667 | 159 | 0.535354 | [
"MIT"
] | iainnicol/Evolve | src/Evolve/Metadata/MetadataTable.cs | 7,031 | C# |
using UnityEngine;
using System.Collections;
public class Bullet : MonoBehaviour
{
public float bulletSpeed;
public float lifeTime;
float timer = 0;
PlayerMove playerM;
Vector3 velo;
Vector3 pos;
GameObject bulletParent;
// Use this for initialization
void Start()
{
bulletParent = GameObject.Find("Bullets Parent");
this.gameObject.transform.parent = bulletParent.transform;
playerM = GameObject.FindGameObjectWithTag("Player").GetComponent<PlayerMove>();
velo = new Vector3(bulletSpeed * Time.deltaTime, 0, 0);
pos = transform.position;
if (playerM.isRight == true)
{
velo = new Vector3(bulletSpeed * Time.deltaTime, 0, 0);
}
else if (playerM.isLeft == true)
{
velo = new Vector3(-bulletSpeed * Time.deltaTime, 0, 0);
}
}
// Update is called once per frame
void Update()
{
pos += velo;
transform.position = pos;
timer += Time.deltaTime;
if (timer >= lifeTime)
{
Destroy(this.gameObject);
timer = 0;
}
}
void OnCollisionEnter2D(Collision2D col)
{
//print("Hit");
if (col.gameObject.tag == "Door")
{
Destroy(this.gameObject);
}
if (col.gameObject.tag == "Wall")
{
Destroy(this.gameObject);
}
if (col.gameObject.tag == "Ground")
{
Destroy(this.gameObject);
}
}
}
| 16.631579 | 88 | 0.537342 | [
"Apache-2.0"
] | DaffyNinja/PlatformShooter | My Platformer/MyPlatformerShooter/Assets/Scripts/Player/Bullet.cs | 1,582 | C# |
namespace Ghacu.Api.Version
{
public interface IDbCacheVersionProvider : ILatestVersionProvider
{
}
} | 17.833333 | 67 | 0.785047 | [
"MIT"
] | fabasoad/ghacu | src/Ghacu.Api/Version/IDbCacheVersionProvider.cs | 107 | C# |
/*
* Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file is distributed
* on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing
* permissions and limitations under the License.
*/
/*
* Do not modify this file. This file is generated from the quicksight-2018-04-01.normal.json service model.
*/
using System;
using System.Collections.Generic;
using System.Globalization;
using System.IO;
using System.Text;
using System.Xml.Serialization;
using Amazon.QuickSight.Model;
using Amazon.Runtime;
using Amazon.Runtime.Internal;
using Amazon.Runtime.Internal.Transform;
using Amazon.Runtime.Internal.Util;
using ThirdParty.Json.LitJson;
namespace Amazon.QuickSight.Model.Internal.MarshallTransformations
{
/// <summary>
/// ListIAMPolicyAssignmentsForUser Request Marshaller
/// </summary>
public class ListIAMPolicyAssignmentsForUserRequestMarshaller : IMarshaller<IRequest, ListIAMPolicyAssignmentsForUserRequest> , IMarshaller<IRequest,AmazonWebServiceRequest>
{
/// <summary>
/// Marshaller the request object to the HTTP request.
/// </summary>
/// <param name="input"></param>
/// <returns></returns>
public IRequest Marshall(AmazonWebServiceRequest input)
{
return this.Marshall((ListIAMPolicyAssignmentsForUserRequest)input);
}
/// <summary>
/// Marshaller the request object to the HTTP request.
/// </summary>
/// <param name="publicRequest"></param>
/// <returns></returns>
public IRequest Marshall(ListIAMPolicyAssignmentsForUserRequest publicRequest)
{
IRequest request = new DefaultRequest(publicRequest, "Amazon.QuickSight");
request.Headers[Amazon.Util.HeaderKeys.XAmzApiVersion] = "2018-04-01";
request.HttpMethod = "GET";
if (!publicRequest.IsSetAwsAccountId())
throw new AmazonQuickSightException("Request object does not have required field AwsAccountId set");
request.AddPathResource("{AwsAccountId}", StringUtils.FromString(publicRequest.AwsAccountId));
if (!publicRequest.IsSetNamespace())
throw new AmazonQuickSightException("Request object does not have required field Namespace set");
request.AddPathResource("{Namespace}", StringUtils.FromString(publicRequest.Namespace));
if (!publicRequest.IsSetUserName())
throw new AmazonQuickSightException("Request object does not have required field UserName set");
request.AddPathResource("{UserName}", StringUtils.FromString(publicRequest.UserName));
if (publicRequest.IsSetMaxResults())
request.Parameters.Add("max-results", StringUtils.FromInt(publicRequest.MaxResults));
if (publicRequest.IsSetNextToken())
request.Parameters.Add("next-token", StringUtils.FromString(publicRequest.NextToken));
request.ResourcePath = "/accounts/{AwsAccountId}/namespaces/{Namespace}/users/{UserName}/iam-policy-assignments";
request.MarshallerVersion = 2;
request.UseQueryString = true;
return request;
}
private static ListIAMPolicyAssignmentsForUserRequestMarshaller _instance = new ListIAMPolicyAssignmentsForUserRequestMarshaller();
internal static ListIAMPolicyAssignmentsForUserRequestMarshaller GetInstance()
{
return _instance;
}
/// <summary>
/// Gets the singleton.
/// </summary>
public static ListIAMPolicyAssignmentsForUserRequestMarshaller Instance
{
get
{
return _instance;
}
}
}
} | 42.376238 | 178 | 0.658411 | [
"Apache-2.0"
] | philasmar/aws-sdk-net | sdk/src/Services/QuickSight/Generated/Model/Internal/MarshallTransformations/ListIAMPolicyAssignmentsForUserRequestMarshaller.cs | 4,280 | C# |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.