diff --git a/Api/Api.csproj b/Api/Api.csproj
index e42089e..9d4abe2 100644
--- a/Api/Api.csproj
+++ b/Api/Api.csproj
@@ -21,15 +21,12 @@
-
-
-
@@ -46,11 +43,9 @@
-
-
@@ -61,6 +56,7 @@
-
+
+
diff --git a/Api/BackgroundTask/BackgroundTaskExtensions.cs b/Api/BackgroundTask/BackgroundTaskExtensions.cs
deleted file mode 100644
index c4f958e..0000000
--- a/Api/BackgroundTask/BackgroundTaskExtensions.cs
+++ /dev/null
@@ -1,11 +0,0 @@
-namespace Api;
-
-public static class BackgroundTaskExtensions
-{
- public static IServiceCollection AddBackgroundTaskQueue(this IServiceCollection services)
- {
- services.AddSingleton();
- services.AddHostedService();
- return services;
- }
-}
\ No newline at end of file
diff --git a/Api/BackgroundTask/BackgroundTaskQueue.cs b/Api/BackgroundTask/BackgroundTaskQueue.cs
deleted file mode 100644
index 18cbbbb..0000000
--- a/Api/BackgroundTask/BackgroundTaskQueue.cs
+++ /dev/null
@@ -1,46 +0,0 @@
-using System.Threading.Channels;
-
-namespace Api;
-
-// Reference
-// https://learn.microsoft.com/en-us/aspnet/core/fundamentals/host/hosted-services?view=aspnetcore-9.0&tabs=visual-studio#queued-background-tasks
-
-public interface IBackgroundTaskQueue
-{
- ValueTask QueueBackgroundWorkItemAsync(Func workItem);
- ValueTask> DequeueAsync(CancellationToken cancellationToken);
-}
-
-public class BackgroundTaskQueue : IBackgroundTaskQueue
-{
- private readonly Channel> _queue;
-
- public BackgroundTaskQueue(int capacity = 100)
- {
- // Capacity should be set based on the expected application load and
- // number of concurrent threads accessing the queue.
- // BoundedChannelFullMode.Wait will cause calls to WriteAsync() to return a task,
- // which completes only when space became available. This leads to backpressure,
- // in case too many publishers/calls start accumulating.
- var options = new BoundedChannelOptions(capacity)
- {
- FullMode = BoundedChannelFullMode.Wait
- };
- _queue = Channel.CreateBounded>(options);
- }
-
- public async ValueTask QueueBackgroundWorkItemAsync(Func workItem)
- {
- if (workItem == null)
- {
- throw new ArgumentNullException(nameof(workItem));
- }
-
- await _queue.Writer.WriteAsync(workItem);
- }
-
- public async ValueTask> DequeueAsync(CancellationToken cancellationToken)
- {
- return await _queue.Reader.ReadAsync(cancellationToken);
- }
-}
\ No newline at end of file
diff --git a/Api/BackgroundTask/QueueHostedService.cs b/Api/BackgroundTask/QueueHostedService.cs
deleted file mode 100644
index 621f913..0000000
--- a/Api/BackgroundTask/QueueHostedService.cs
+++ /dev/null
@@ -1,51 +0,0 @@
-namespace Api;
-
-public class QueuedHostedService : BackgroundService
-{
- private readonly ILogger _logger;
-
- public QueuedHostedService(IBackgroundTaskQueue taskQueue,
- ILogger logger)
- {
- TaskQueue = taskQueue;
- _logger = logger;
- }
-
- public IBackgroundTaskQueue TaskQueue { get; }
-
- protected override async Task ExecuteAsync(CancellationToken stoppingToken)
- {
- _logger.LogInformation(
- $"Queued Hosted Service is running.{Environment.NewLine}" +
- $"{Environment.NewLine}Tap W to add a work item to the " +
- $"background queue.{Environment.NewLine}");
-
- await BackgroundProcessing(stoppingToken);
- }
-
- private async Task BackgroundProcessing(CancellationToken stoppingToken)
- {
- while (!stoppingToken.IsCancellationRequested)
- {
- var workItem =
- await TaskQueue.DequeueAsync(stoppingToken);
-
- try
- {
- await workItem(stoppingToken);
- }
- catch (Exception ex)
- {
- _logger.LogError(ex,
- "Error occurred executing {WorkItem}.", nameof(workItem));
- }
- }
- }
-
- public override async Task StopAsync(CancellationToken stoppingToken)
- {
- _logger.LogInformation("Queued Hosted Service is stopping.");
-
- await base.StopAsync(stoppingToken);
- }
-}
\ No newline at end of file
diff --git a/Api/Dynamics/DynamicsController.cs b/Api/Dynamics/DynamicsController.cs
deleted file mode 100644
index d6b25d2..0000000
--- a/Api/Dynamics/DynamicsController.cs
+++ /dev/null
@@ -1,16 +0,0 @@
-namespace Api;
-
-[Route("api/[controller]")]
-[ApiController]
-public class DynamicsController(IRecoveryClaimService recoveryClaimService, IBackgroundTaskQueue taskQueue) : Controller
-{
- [HttpGet("process-claims")]
- public IActionResult ProcessClaims()
- {
- _ = taskQueue.QueueBackgroundWorkItemAsync(async job =>
- {
- await recoveryClaimService.ProcessClaims();
- });
- return Ok();
- }
-}
diff --git a/Api/Hosting/ServiceCollectionExtensions.cs b/Api/Hosting/ServiceCollectionExtensions.cs
deleted file mode 100644
index 6b60763..0000000
--- a/Api/Hosting/ServiceCollectionExtensions.cs
+++ /dev/null
@@ -1,22 +0,0 @@
-namespace Api;
-
-public static class ServiceCollectionExtensions
-{
- public static IServiceCollection AddServices(this IServiceCollection services)
- {
- services.AddTransient();
- services.AddTransient();
- return services;
- }
-
- public static IServiceCollection AddAutoMapperMappings(this IServiceCollection services)
- {
- // NOTE global and shared mapper should be first, since it has the prefix configurations and shared mappings
- // TODO consider adding an assembly scan for all mappers
- var mapperTypes = new[] {
- typeof(SharedMapper), typeof(RecoveryClaimMapper),
- };
- services.AddAutoMapper(cfg => cfg.ShouldUseConstructor = constructor => constructor.IsPublic, mapperTypes);
- return services;
- }
-}
diff --git a/Api/Program.cs b/Api/Program.cs
index d521de8..5f59569 100644
--- a/Api/Program.cs
+++ b/Api/Program.cs
@@ -12,8 +12,6 @@
var appSettings = services.AddAppSettings(env);
services.AddCasHttpClient(env.IsProduction());
-services.AddServices();
-services.AddAutoMapperMappings();
services.AddCorsPolicy(builder.Configuration.GetSection("cors").Get());
services.AddSsoAuthentication(appSettings.Configuration);
services.AddSsoAuthorization();
@@ -22,8 +20,6 @@
services.AddControllers();
services.AddEndpointsApiExplorer();
services.AddSwaggerGen();
-services.AddBackgroundTaskQueue();
-services.AddDatabase(builder.Configuration);
var app = builder.Build();
app.MapHealthChecks();
diff --git a/CASAdapter.sln b/CASAdapter.sln
index bb1fbf8..4c9db0c 100644
--- a/CASAdapter.sln
+++ b/CASAdapter.sln
@@ -18,14 +18,6 @@ Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "Solution", "Solution", "{02
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Model", "Model\Model.csproj", "{91CF816F-8FAF-4B2C-94AA-833E8313B7DA}"
EndProject
-Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Database", "Database\Database.csproj", "{D5464973-64D3-45D4-A227-BC9CFC3D27A2}"
-EndProject
-Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Shared.Contract", "Shared.Contract\Shared.Contract.csproj", "{040C03AC-70DD-6D2B-998C-6D9C1FF9109E}"
-EndProject
-Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Shared.Database", "Shared.Database\Shared.Database.csproj", "{0800A76B-9285-2E64-E78E-A33BA325C215}"
-EndProject
-Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Resources", "Resources\Resources.csproj", "{EE70027C-907C-43C1-A3B1-36178530E8EB}"
-EndProject
Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|Any CPU = Debug|Any CPU
@@ -48,22 +40,6 @@ Global
{91CF816F-8FAF-4B2C-94AA-833E8313B7DA}.Debug|Any CPU.Build.0 = Debug|Any CPU
{91CF816F-8FAF-4B2C-94AA-833E8313B7DA}.Release|Any CPU.ActiveCfg = Release|Any CPU
{91CF816F-8FAF-4B2C-94AA-833E8313B7DA}.Release|Any CPU.Build.0 = Release|Any CPU
- {D5464973-64D3-45D4-A227-BC9CFC3D27A2}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
- {D5464973-64D3-45D4-A227-BC9CFC3D27A2}.Debug|Any CPU.Build.0 = Debug|Any CPU
- {D5464973-64D3-45D4-A227-BC9CFC3D27A2}.Release|Any CPU.ActiveCfg = Release|Any CPU
- {D5464973-64D3-45D4-A227-BC9CFC3D27A2}.Release|Any CPU.Build.0 = Release|Any CPU
- {040C03AC-70DD-6D2B-998C-6D9C1FF9109E}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
- {040C03AC-70DD-6D2B-998C-6D9C1FF9109E}.Debug|Any CPU.Build.0 = Debug|Any CPU
- {040C03AC-70DD-6D2B-998C-6D9C1FF9109E}.Release|Any CPU.ActiveCfg = Release|Any CPU
- {040C03AC-70DD-6D2B-998C-6D9C1FF9109E}.Release|Any CPU.Build.0 = Release|Any CPU
- {0800A76B-9285-2E64-E78E-A33BA325C215}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
- {0800A76B-9285-2E64-E78E-A33BA325C215}.Debug|Any CPU.Build.0 = Debug|Any CPU
- {0800A76B-9285-2E64-E78E-A33BA325C215}.Release|Any CPU.ActiveCfg = Release|Any CPU
- {0800A76B-9285-2E64-E78E-A33BA325C215}.Release|Any CPU.Build.0 = Release|Any CPU
- {EE70027C-907C-43C1-A3B1-36178530E8EB}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
- {EE70027C-907C-43C1-A3B1-36178530E8EB}.Debug|Any CPU.Build.0 = Debug|Any CPU
- {EE70027C-907C-43C1-A3B1-36178530E8EB}.Release|Any CPU.ActiveCfg = Release|Any CPU
- {EE70027C-907C-43C1-A3B1-36178530E8EB}.Release|Any CPU.Build.0 = Release|Any CPU
EndGlobalSection
GlobalSection(SolutionProperties) = preSolution
HideSolutionNode = FALSE
diff --git a/Client/Client/CasService.cs b/Client/Client/CasService.cs
index 5f0d638..c1f7ed1 100644
--- a/Client/Client/CasService.cs
+++ b/Client/Client/CasService.cs
@@ -248,3 +248,5 @@ public async Task GetSupplierByNameAndPostalCode(string supplierName,
}
}
}
+
+public record Response(string Content, HttpStatusCode StatusCode);
diff --git a/Model/Client/ICasHttpClient.cs b/Client/Client/ICasHttpClient.cs
similarity index 89%
rename from Model/Client/ICasHttpClient.cs
rename to Client/Client/ICasHttpClient.cs
index 2579a66..15810ca 100644
--- a/Model/Client/ICasHttpClient.cs
+++ b/Client/Client/ICasHttpClient.cs
@@ -1,4 +1,4 @@
-namespace Model;
+namespace Client;
public interface ICasHttpClient
{
diff --git a/Model/Client/ICasService.cs b/Client/Client/ICasService.cs
similarity index 97%
rename from Model/Client/ICasService.cs
rename to Client/Client/ICasService.cs
index 0c424aa..9512058 100644
--- a/Model/Client/ICasService.cs
+++ b/Client/Client/ICasService.cs
@@ -1,4 +1,4 @@
-namespace Model;
+namespace Client;
public interface ICasService
{
diff --git a/Model/Client/DTO/Invoice.cs b/Client/Dto/Invoice.cs
similarity index 99%
rename from Model/Client/DTO/Invoice.cs
rename to Client/Dto/Invoice.cs
index 33860ae..1497dac 100644
--- a/Model/Client/DTO/Invoice.cs
+++ b/Client/Dto/Invoice.cs
@@ -1,6 +1,4 @@
-namespace Model;
-
-public class Invoice
+public class Invoice
{
public bool IsBlockSupplier { get; set; }
diff --git a/Model/Client/DTO/InvoiceLineDetail.cs b/Client/Dto/InvoiceLineDetail.cs
similarity index 96%
rename from Model/Client/DTO/InvoiceLineDetail.cs
rename to Client/Dto/InvoiceLineDetail.cs
index 73ff73d..f687eb9 100644
--- a/Model/Client/DTO/InvoiceLineDetail.cs
+++ b/Client/Dto/InvoiceLineDetail.cs
@@ -1,6 +1,4 @@
-namespace Model;
-
-public class InvoiceLineDetail
+public class InvoiceLineDetail
{
public int InvoiceLineNumber { get; set; }
diff --git a/Client/Token/TokenDelegatingHandler.cs b/Client/Token/TokenDelegatingHandler.cs
index 842a137..d5fcb0e 100644
--- a/Client/Token/TokenDelegatingHandler.cs
+++ b/Client/Token/TokenDelegatingHandler.cs
@@ -1,8 +1,8 @@
public class TokenDelegatingHandler(ITokenProvider tokenProvider) : DelegatingHandler
{
private readonly AsyncRetryPolicy _policy = Policy
- .HandleResult(r => r.StatusCode is HttpStatusCode.Unauthorized or HttpStatusCode.Forbidden)
- .RetryAsync((_, _) => tokenProvider.RefreshTokenAsync());
+ .HandleResult(r => r.StatusCode is HttpStatusCode.Unauthorized or HttpStatusCode.Forbidden)
+ .RetryAsync((_, _) => tokenProvider.RefreshTokenAsync());
protected override async Task SendAsync(HttpRequestMessage request, CancellationToken cancellationToken)
=> await _policy.ExecuteAsync(async () =>
diff --git a/DFA - CAS Adapter.postman_collection.json b/DFA - CAS Adapter.postman_collection.json
index 34396be..815cce5 100644
--- a/DFA - CAS Adapter.postman_collection.json
+++ b/DFA - CAS Adapter.postman_collection.json
@@ -340,25 +340,6 @@
}
},
"response": []
- },
- {
- "name": "Process Claims",
- "request": {
- "method": "GET",
- "header": [],
- "url": {
- "raw": "{{server}}/api/Dynamics/process-claims",
- "host": [
- "{{server}}"
- ],
- "path": [
- "api",
- "Dynamics",
- "process-claims"
- ]
- }
- },
- "response": []
}
],
"auth": {
diff --git a/Database/DLaB.EarlyBoundGeneratorV2.DefaultSettings.xml b/Database/DLaB.EarlyBoundGeneratorV2.DefaultSettings.xml
deleted file mode 100644
index 406ec93..0000000
--- a/Database/DLaB.EarlyBoundGeneratorV2.DefaultSettings.xml
+++ /dev/null
@@ -1,137 +0,0 @@
-
-
- true
- DLaB.ModelBuilderExtensions.CustomizeCodeDomService,DLaB.ModelBuilderExtensions
- DLaB.ModelBuilderExtensions.CodeGenerationService,DLaB.ModelBuilderExtensions
- DLaB.ModelBuilderExtensions.CodeWriterFilterService,DLaB.ModelBuilderExtensions
- DLaB.ModelBuilderExtensions.CodeWriterMessageFilterService,DLaB.ModelBuilderExtensions
- false
- true
- Entities
-
-
- analyze
-
- true
- true
- true
- true
-
- builderSettings.json
- true
-
- true
- DLaB.EarlyBoundGeneratorV2\DLaB.Dictionary.txt
- false
- true
- true
- true
- false
-
- dfa_clientcode|
-dfa_projectclaim|
-emcr_expenseproject|
-emcr_responsibilitycentre|
-emcr_serviceline|
-emcr_stob|
-systemuser
-
-
-
-
- true
- false
- true
- true
- true
- true
- true
- false
- false
- true
- false
- false
- true
- _
- false
- false
- true
- {0}_{1}
- false
- 2
-
-
- Model
-
-
- false
- true
- true
- false
- false
- AccessTeam|
-ActiveState|
-AssignedTo|
-BusinessAs|
-CardUci|
-DefaultOnCase|
-EmailAnd|
-EmailSend|
-EmailSender|
-EMCR|
-FeatureSet|
-FedEx|
-ForAn|
-Geronimo|
-InvoiceDate|
-IsMsTeams|
-IsPaiEnabled|
-IsSopIntegration|
-MsDynCe_|
-MsDynMkt_|
-MsDyUsd|
-O365Admin|
-OcSkillIdentMlModel|
-OnHold|
-OrderId|
-OwnerOnAssign|
-ParticipatesIn|
-PartiesOnEmail|
-PauseStates|
-PredictiveAddress|
-Resp|
-Response|
-Responsibility|
-SentOn|
-SettingsAndSummary|
-SlaId|
-SlaKpi|
-Stob|
-SyncOptIn|
-Timeout|
-TradeShow|
-UserPuid|
-VoiceMail
- DLaB.EarlyBoundGeneratorV2\alphabets
- false
- true
- false
- false
- false
- false
-
- true
- false
- Messages
- DLaB.ModelBuilderExtensions.MetadataProviderService,DLaB.ModelBuilderExtensions
- DLaB.ModelBuilderExtensions.MetadataQueryProviderService,DLaB.ModelBuilderExtensions
- DLaB.ModelBuilderExtensions.NamingService,DLaB.ModelBuilderExtensions
- OptionSets
- Database.Model
- DatabaseContext
- true
- 2.2025.4.20
- true
- 2.2025.4.20
-
\ No newline at end of file
diff --git a/Database/Database.csproj b/Database/Database.csproj
deleted file mode 100644
index 8547881..0000000
--- a/Database/Database.csproj
+++ /dev/null
@@ -1,18 +0,0 @@
-
-
-
- net9.0
- enable
- enable
-
-
-
-
-
-
-
-
-
-
-
-
diff --git a/Database/EntityOptionSetEnum.cs b/Database/EntityOptionSetEnum.cs
deleted file mode 100644
index 9f90281..0000000
--- a/Database/EntityOptionSetEnum.cs
+++ /dev/null
@@ -1,66 +0,0 @@
-#pragma warning disable CS1591
-//------------------------------------------------------------------------------
-//
-// This code was generated by a tool.
-//
-// Changes to this file may cause incorrect behavior and will be lost if
-// the code is regenerated.
-//
-//------------------------------------------------------------------------------
-
-namespace DataverseModel
-{
-
-
- internal sealed class EntityOptionSetEnum
- {
-
- ///
- /// Returns the integer version of an OptionSetValue
- ///
- public static System.Nullable GetEnum(Microsoft.Xrm.Sdk.Entity entity, string attributeLogicalName)
- {
- if (entity.Attributes.ContainsKey(attributeLogicalName))
- {
- Microsoft.Xrm.Sdk.OptionSetValue value = entity.GetAttributeValue(attributeLogicalName);
- if (value != null)
- {
- return value.Value;
- }
- }
- return null;
- }
-
- ///
- /// Returns a collection of integer version's of an Multi-Select OptionSetValue for a given attribute on the passed entity
- ///
- public static System.Collections.Generic.IEnumerable GetMultiEnum(Microsoft.Xrm.Sdk.Entity entity, string attributeLogicalName)
-
- {
- Microsoft.Xrm.Sdk.OptionSetValueCollection value = entity.GetAttributeValue(attributeLogicalName);
- System.Collections.Generic.List list = new System.Collections.Generic.List();
- if (value == null)
- {
- return list;
- }
- list.AddRange(System.Linq.Enumerable.Select(value, v => (T)(object)v.Value));
- return list;
- }
-
- ///
- /// Returns a OptionSetValueCollection based on a list of Multi-Select OptionSetValues
- ///
- public static Microsoft.Xrm.Sdk.OptionSetValueCollection GetMultiEnum(Microsoft.Xrm.Sdk.Entity entity, string attributeLogicalName, System.Collections.Generic.IEnumerable values)
-
- {
- if (values == null)
- {
- return null;
- }
- Microsoft.Xrm.Sdk.OptionSetValueCollection collection = new Microsoft.Xrm.Sdk.OptionSetValueCollection();
- collection.AddRange(System.Linq.Enumerable.Select(values, v => new Microsoft.Xrm.Sdk.OptionSetValue((int)(object)v)));
- return collection;
- }
- }
-}
-#pragma warning restore CS1591
diff --git a/Database/GlobalUsings.cs b/Database/GlobalUsings.cs
deleted file mode 100644
index c2d8050..0000000
--- a/Database/GlobalUsings.cs
+++ /dev/null
@@ -1,4 +0,0 @@
-global using Database.Model;
-global using Microsoft.Extensions.Configuration;
-global using Microsoft.Extensions.DependencyInjection;
-global using Microsoft.PowerPlatform.Dataverse.Client;
\ No newline at end of file
diff --git a/Database/Model/DatabaseContext.Partial.cs b/Database/Model/DatabaseContext.Partial.cs
deleted file mode 100644
index 2e09e1f..0000000
--- a/Database/Model/DatabaseContext.Partial.cs
+++ /dev/null
@@ -1,39 +0,0 @@
-using Microsoft.Xrm.Sdk;
-
-namespace Database.Model;
-
-public partial class DatabaseContext
-{
- private bool isInTransaction;
-
- public new SaveChangesResultCollection SaveChanges()
- {
- if (!isInTransaction)
- {
- return base.SaveChanges();
- }
-
- return null;
- }
-
- public TransactionContext BeginTransaction()
- {
- if (isInTransaction) throw new InvalidOperationException("Already in a transaction");
- isInTransaction = true;
- return new TransactionContext(this);
- }
-
- public void CommitTransaction()
- {
- if (isInTransaction)
- {
- base.SaveChanges();
- isInTransaction = false;
- }
- }
-}
-
-public class TransactionContext(DatabaseContext context)
-{
- public void Commit() => context.CommitTransaction();
-}
diff --git a/Database/Model/DatabaseContext.cs b/Database/Model/DatabaseContext.cs
deleted file mode 100644
index 26b511a..0000000
--- a/Database/Model/DatabaseContext.cs
+++ /dev/null
@@ -1,231 +0,0 @@
-#pragma warning disable CS1591
-//------------------------------------------------------------------------------
-//
-// This code was generated by a tool.
-//
-// Changes to this file may cause incorrect behavior and will be lost if
-// the code is regenerated.
-//
-//------------------------------------------------------------------------------
-
-[assembly: Microsoft.Xrm.Sdk.Client.ProxyTypesAssemblyAttribute()]
-
-namespace Database.Model
-{
-
-
- ///
- /// Represents a source of entities bound to a Dataverse service. It tracks and manages changes made to the retrieved entities.
- ///
- public partial class DatabaseContext : Microsoft.Xrm.Sdk.Client.OrganizationServiceContext
- {
-
- ///
- /// Constructor.
- ///
- public DatabaseContext(Microsoft.Xrm.Sdk.IOrganizationService service) :
- base(service)
- {
- }
-
- ///
- /// Gets a binding to the set of all entities.
- ///
- public System.Linq.IQueryable DFA_ClientCodeSet
- {
- get
- {
- return this.CreateQuery();
- }
- }
-
- ///
- /// Gets a binding to the set of all entities.
- ///
- public System.Linq.IQueryable DFA_ProjectClaimSet
- {
- get
- {
- return this.CreateQuery();
- }
- }
-
- ///
- /// Gets a binding to the set of all entities.
- ///
- public System.Linq.IQueryable EMCR_ExpenseProjectSet
- {
- get
- {
- return this.CreateQuery();
- }
- }
-
- ///
- /// Gets a binding to the set of all entities.
- ///
- public System.Linq.IQueryable EMCR_ResponsibilityCentreSet
- {
- get
- {
- return this.CreateQuery();
- }
- }
-
- ///
- /// Gets a binding to the set of all entities.
- ///
- public System.Linq.IQueryable EMCR_ServiceLineSet
- {
- get
- {
- return this.CreateQuery();
- }
- }
-
- ///
- /// Gets a binding to the set of all entities.
- ///
- public System.Linq.IQueryable EMCR_StobSet
- {
- get
- {
- return this.CreateQuery();
- }
- }
-
- ///
- /// Gets a binding to the set of all entities.
- ///
- public System.Linq.IQueryable SystemUserSet
- {
- get
- {
- return this.CreateQuery();
- }
- }
- }
-
- ///
- /// Attribute to handle storing the OptionSet's Metadata.
- ///
- [System.AttributeUsageAttribute(System.AttributeTargets.Field)]
- public sealed class OptionSetMetadataAttribute : System.Attribute
- {
-
- private object[] _nameObjects;
-
- private System.Collections.Generic.Dictionary _names;
-
- ///
- /// Color of the OptionSetValue.
- ///
- public string Color { get; set; }
-
- ///
- /// Description of the OptionSetValue.
- ///
- public string Description { get; set; }
-
- ///
- /// Display order index of the OptionSetValue.
- ///
- public int DisplayIndex { get; set; }
-
- ///
- /// External value of the OptionSetValue.
- ///
- public string ExternalValue { get; set; }
-
- ///
- /// Name of the OptionSetValue.
- ///
- public string Name { get; set; }
-
- ///
- /// Names of the OptionSetValue.
- ///
- public System.Collections.Generic.Dictionary Names
- {
- get
- {
- return _names ?? (_names = CreateNames());
- }
- set
- {
- _names = value;
- if (value == null)
- {
- _nameObjects = new object[0];
- }
- else
- {
- _nameObjects = null;
- }
- }
- }
-
- ///
- /// Initializes a new instance of the class.
- ///
- /// Name of the value.
- /// Display order index of the value.
- /// Color of the value.
- /// Description of the value.
- /// External value of the value.
- /// Names of the value.
- public OptionSetMetadataAttribute(string name, int displayIndex, string color = null, string description = null, string externalValue = null, params object[] names)
- {
- this.Color = color;
- this.Description = description;
- this._nameObjects = names;
- this.ExternalValue = externalValue;
- this.DisplayIndex = displayIndex;
- this.Name = name;
- }
-
- private System.Collections.Generic.Dictionary CreateNames()
- {
- System.Collections.Generic.Dictionary names = new System.Collections.Generic.Dictionary();
- for (int i = 0; (i < _nameObjects.Length); i = (i + 2))
- {
- names.Add(((int)(_nameObjects[i])), ((string)(_nameObjects[(i + 1)])));
- }
- return names;
- }
- }
-
- ///
- /// Extension class to handle retrieving of OptionSetMetadataAttribute.
- ///
- public static class OptionSetExtension
- {
-
- ///
- /// Returns the OptionSetMetadataAttribute for the given enum value
- ///
- /// OptionSet Enum Type
- /// Enum Value with OptionSetMetadataAttribute
- public static OptionSetMetadataAttribute GetMetadata(this T value)
- where T : struct, System.IConvertible
- {
- System.Type enumType = typeof(T);
- if (!enumType.IsEnum)
- {
- throw new System.ArgumentException("T must be an enum!");
- }
- System.Reflection.MemberInfo[] members = enumType.GetMember(value.ToString());
- for (int i = 0; (i < members.Length); i++
- )
- {
- System.Attribute attribute = System.Reflection.CustomAttributeExtensions.GetCustomAttribute(members[i], typeof(OptionSetMetadataAttribute));
- if (attribute != null)
- {
- return ((OptionSetMetadataAttribute)(attribute));
- }
- }
- throw new System.ArgumentException("T must be an enum adorned with an OptionSetMetadataAttribute!");
- }
- }
-}
-#pragma warning restore CS1591
diff --git a/Database/Model/Entities/DFA_ClientCode.cs b/Database/Model/Entities/DFA_ClientCode.cs
deleted file mode 100644
index 590a633..0000000
--- a/Database/Model/Entities/DFA_ClientCode.cs
+++ /dev/null
@@ -1,844 +0,0 @@
-#pragma warning disable CS1591
-//------------------------------------------------------------------------------
-//
-// This code was generated by a tool.
-//
-// Changes to this file may cause incorrect behavior and will be lost if
-// the code is regenerated.
-//
-//------------------------------------------------------------------------------
-
-namespace Database.Model
-{
-
-
- ///
- /// Status of the Client Code
- ///
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ClientCode_StateCode
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Active", 0)]
- Active = 0,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Inactive", 1)]
- Inactive = 1,
- }
-
- ///
- /// Reason for the status of the Client Code
- ///
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ClientCode_StatusCode
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Active", 0)]
- Active = 1,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Inactive", 1)]
- Inactive = 2,
- }
-
- [System.Runtime.Serialization.DataContractAttribute()]
- [Microsoft.Xrm.Sdk.Client.EntityLogicalNameAttribute("dfa_clientcode")]
- public partial class DFA_ClientCode : Microsoft.Xrm.Sdk.Entity
- {
-
- ///
- /// Available fields, a the time of codegen, for the dfa_clientcode entity
- ///
- public partial class Fields
- {
- public const string CreatedBy = "createdby";
- public const string CreatedByName = "createdbyname";
- public const string CreatedByYomiName = "createdbyyominame";
- public const string CreatedOn = "createdon";
- public const string CreatedOnBehalfBy = "createdonbehalfby";
- public const string CreatedOnBehalfByName = "createdonbehalfbyname";
- public const string CreatedOnBehalfByYomiName = "createdonbehalfbyyominame";
- public const string DFA_ClientCodeId = "dfa_clientcodeid";
- public const string Id = "dfa_clientcodeid";
- public const string DFA_Code = "dfa_code";
- public const string DFA_Description = "dfa_description";
- public const string DFA_DFA_ClientCode_DFA_ProjectClaim_ClientCodeId = "DFA_DFA_ClientCode_DFA_ProjectClaim_ClientCodeId";
- public const string DFA_Name = "dfa_name";
- public const string ImportSequenceNumber = "importsequencenumber";
- public const string Lk_DFA_ClientCode_CreatedBy = "lk_dfa_clientcode_createdby";
- public const string Lk_DFA_ClientCode_CreatedOnBehalfBy = "lk_dfa_clientcode_createdonbehalfby";
- public const string Lk_DFA_ClientCode_ModifiedBy = "lk_dfa_clientcode_modifiedby";
- public const string Lk_DFA_ClientCode_ModifiedOnBehalfBy = "lk_dfa_clientcode_modifiedonbehalfby";
- public const string ModifiedBy = "modifiedby";
- public const string ModifiedByName = "modifiedbyname";
- public const string ModifiedByYomiName = "modifiedbyyominame";
- public const string ModifiedOn = "modifiedon";
- public const string ModifiedOnBehalfBy = "modifiedonbehalfby";
- public const string ModifiedOnBehalfByName = "modifiedonbehalfbyname";
- public const string ModifiedOnBehalfByYomiName = "modifiedonbehalfbyyominame";
- public const string OverriddenCreatedOn = "overriddencreatedon";
- public const string OwnerId = "ownerid";
- public const string OwnerIdName = "owneridname";
- public const string OwnerIdYomiName = "owneridyominame";
- public const string OwningBusinessUnit = "owningbusinessunit";
- public const string OwningTeam = "owningteam";
- public const string OwningUser = "owninguser";
- public const string StateCode = "statecode";
- public const string StateCodename = "statecodename";
- public const string StatusCode = "statuscode";
- public const string StatusCodename = "statuscodename";
- public const string TimeZoneRuleVersionNumber = "timezoneruleversionnumber";
- public const string User_DFA_ClientCode = "user_dfa_clientcode";
- public const string UtcConversionTimeZoneCode = "utcconversiontimezonecode";
- public const string VersionNumber = "versionnumber";
- }
-
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ClientCode(System.Guid id) :
- base(EntityLogicalName, id)
- {
- }
-
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ClientCode(string keyName, object keyValue) :
- base(EntityLogicalName, keyName, keyValue)
- {
- }
-
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ClientCode(Microsoft.Xrm.Sdk.KeyAttributeCollection keyAttributes) :
- base(EntityLogicalName, keyAttributes)
- {
- }
-
- ///
- /// Default Constructor.
- ///
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ClientCode() :
- base(EntityLogicalName)
- {
- }
-
- public const string PrimaryIdAttribute = "dfa_clientcodeid";
-
- public const string PrimaryNameAttribute = "dfa_name";
-
- public const string EntitySchemaName = "dfa_clientcode";
-
- public const string EntityLogicalName = "dfa_clientcode";
-
- public const string EntityLogicalCollectionName = "dfa_clientcodes";
-
- public const string EntitySetName = "dfa_clientcodes";
-
- ///
- /// Unique identifier of the user who created the record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdby")]
- public Microsoft.Xrm.Sdk.EntityReference CreatedBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("createdby");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdbyname")]
- public string CreatedByName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("createdby"))
- {
- return this.FormattedValues["createdby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdbyyominame")]
- public string CreatedByYomiName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("createdby"))
- {
- return this.FormattedValues["createdby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Date and time when the record was created.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdon")]
- public System.Nullable CreatedOn
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("createdon");
- }
- }
-
- ///
- /// Unique identifier of the delegate user who created the record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdonbehalfby")]
- public Microsoft.Xrm.Sdk.EntityReference CreatedOnBehalfBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("createdonbehalfby");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("createdonbehalfby", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdonbehalfbyname")]
- public string CreatedOnBehalfByName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("createdonbehalfby"))
- {
- return this.FormattedValues["createdonbehalfby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdonbehalfbyyominame")]
- public string CreatedOnBehalfByYomiName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("createdonbehalfby"))
- {
- return this.FormattedValues["createdonbehalfby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Unique identifier for entity instances
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_clientcodeid")]
- public System.Nullable DFA_ClientCodeId
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_clientcodeid");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_clientcodeid", value);
- if (value.HasValue)
- {
- base.Id = value.Value;
- }
- else
- {
- base.Id = System.Guid.Empty;
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_clientcodeid")]
- public override System.Guid Id
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return base.Id;
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.DFA_ClientCodeId = value;
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_code")]
- public string DFA_Code
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_code");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_code", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_description")]
- public string DFA_Description
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_description");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_description", value);
- }
- }
-
- ///
- /// The name of the custom entity.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_name")]
- public string DFA_Name
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_name");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_name", value);
- }
- }
-
- ///
- /// Sequence number of the import that created this record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("importsequencenumber")]
- public System.Nullable ImportSequenceNumber
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("importsequencenumber");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("importsequencenumber", value);
- }
- }
-
- ///
- /// Unique identifier of the user who modified the record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedby")]
- public Microsoft.Xrm.Sdk.EntityReference ModifiedBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("modifiedby");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedbyname")]
- public string ModifiedByName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("modifiedby"))
- {
- return this.FormattedValues["modifiedby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedbyyominame")]
- public string ModifiedByYomiName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("modifiedby"))
- {
- return this.FormattedValues["modifiedby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Date and time when the record was modified.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedon")]
- public System.Nullable ModifiedOn
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("modifiedon");
- }
- }
-
- ///
- /// Unique identifier of the delegate user who modified the record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedonbehalfby")]
- public Microsoft.Xrm.Sdk.EntityReference ModifiedOnBehalfBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("modifiedonbehalfby");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("modifiedonbehalfby", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedonbehalfbyname")]
- public string ModifiedOnBehalfByName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("modifiedonbehalfby"))
- {
- return this.FormattedValues["modifiedonbehalfby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedonbehalfbyyominame")]
- public string ModifiedOnBehalfByYomiName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("modifiedonbehalfby"))
- {
- return this.FormattedValues["modifiedonbehalfby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Date and time that the record was migrated.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("overriddencreatedon")]
- public System.Nullable OverriddenCreatedOn
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("overriddencreatedon");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("overriddencreatedon", value);
- }
- }
-
- ///
- /// Owner Id
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("ownerid")]
- public Microsoft.Xrm.Sdk.EntityReference OwnerId
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("ownerid");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("ownerid", value);
- }
- }
-
- ///
- /// Name of the owner
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("owneridname")]
- public string OwnerIdName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("ownerid"))
- {
- return this.FormattedValues["ownerid"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Yomi name of the owner
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("owneridyominame")]
- public string OwnerIdYomiName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("ownerid"))
- {
- return this.FormattedValues["ownerid"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Unique identifier for the business unit that owns the record
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("owningbusinessunit")]
- public Microsoft.Xrm.Sdk.EntityReference OwningBusinessUnit
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("owningbusinessunit");
- }
- }
-
- ///
- /// Unique identifier for the team that owns the record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("owningteam")]
- public Microsoft.Xrm.Sdk.EntityReference OwningTeam
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("owningteam");
- }
- }
-
- ///
- /// Unique identifier for the user that owns the record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("owninguser")]
- public Microsoft.Xrm.Sdk.EntityReference OwningUser
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("owninguser");
- }
- }
-
- ///
- /// Status of the Client Code
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("statecode")]
- public virtual DFA_ClientCode_StateCode? StateCode
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_ClientCode_StateCode?)(EntityOptionSetEnum.GetEnum(this, "statecode")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("statecode", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("statecodename")]
- public string StateCodename
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("statecode"))
- {
- return this.FormattedValues["statecode"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Reason for the status of the Client Code
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("statuscode")]
- public virtual DFA_ClientCode_StatusCode? StatusCode
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_ClientCode_StatusCode?)(EntityOptionSetEnum.GetEnum(this, "statuscode")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("statuscode", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("statuscodename")]
- public string StatusCodename
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("statuscode"))
- {
- return this.FormattedValues["statuscode"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// For internal use only.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("timezoneruleversionnumber")]
- public System.Nullable TimeZoneRuleVersionNumber
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("timezoneruleversionnumber");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("timezoneruleversionnumber", value);
- }
- }
-
- ///
- /// Time zone code that was in use when the record was created.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("utcconversiontimezonecode")]
- public System.Nullable UtcConversionTimeZoneCode
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("utcconversiontimezonecode");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("utcconversiontimezonecode", value);
- }
- }
-
- ///
- /// Version Number
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("versionnumber")]
- public System.Nullable VersionNumber
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("versionnumber");
- }
- }
-
- ///
- /// 1:N dfa_dfa_clientcode_dfa_projectclaim_ClientCodeId
- ///
- [Microsoft.Xrm.Sdk.RelationshipSchemaNameAttribute("dfa_dfa_clientcode_dfa_projectclaim_ClientCodeId")]
- public System.Collections.Generic.IEnumerable DFA_DFA_ClientCode_DFA_ProjectClaim_ClientCodeId
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetRelatedEntities("dfa_dfa_clientcode_dfa_projectclaim_ClientCodeId", null);
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetRelatedEntities("dfa_dfa_clientcode_dfa_projectclaim_ClientCodeId", null, value);
- }
- }
-
- ///
- /// N:1 lk_dfa_clientcode_createdby
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdby")]
- [Microsoft.Xrm.Sdk.RelationshipSchemaNameAttribute("lk_dfa_clientcode_createdby")]
- public Database.Model.SystemUser Lk_DFA_ClientCode_CreatedBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetRelatedEntity("lk_dfa_clientcode_createdby", null);
- }
- }
-
- ///
- /// N:1 lk_dfa_clientcode_createdonbehalfby
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdonbehalfby")]
- [Microsoft.Xrm.Sdk.RelationshipSchemaNameAttribute("lk_dfa_clientcode_createdonbehalfby")]
- public Database.Model.SystemUser Lk_DFA_ClientCode_CreatedOnBehalfBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetRelatedEntity("lk_dfa_clientcode_createdonbehalfby", null);
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetRelatedEntity("lk_dfa_clientcode_createdonbehalfby", null, value);
- }
- }
-
- ///
- /// N:1 lk_dfa_clientcode_modifiedby
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedby")]
- [Microsoft.Xrm.Sdk.RelationshipSchemaNameAttribute("lk_dfa_clientcode_modifiedby")]
- public Database.Model.SystemUser Lk_DFA_ClientCode_ModifiedBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetRelatedEntity("lk_dfa_clientcode_modifiedby", null);
- }
- }
-
- ///
- /// N:1 lk_dfa_clientcode_modifiedonbehalfby
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("modifiedonbehalfby")]
- [Microsoft.Xrm.Sdk.RelationshipSchemaNameAttribute("lk_dfa_clientcode_modifiedonbehalfby")]
- public Database.Model.SystemUser Lk_DFA_ClientCode_ModifiedOnBehalfBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetRelatedEntity("lk_dfa_clientcode_modifiedonbehalfby", null);
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetRelatedEntity("lk_dfa_clientcode_modifiedonbehalfby", null, value);
- }
- }
-
- ///
- /// N:1 user_dfa_clientcode
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("owninguser")]
- [Microsoft.Xrm.Sdk.RelationshipSchemaNameAttribute("user_dfa_clientcode")]
- public Database.Model.SystemUser User_DFA_ClientCode
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetRelatedEntity("user_dfa_clientcode", null);
- }
- }
-
- ///
- /// Constructor for populating via LINQ queries given a LINQ anonymous type
- /// LINQ anonymous type.
- ///
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ClientCode(object anonymousType) :
- this()
- {
- foreach (var p in anonymousType.GetType().GetProperties())
- {
- var value = p.GetValue(anonymousType, null);
- var name = p.Name.ToLower();
-
- if (value != null && name.EndsWith("enum") && value.GetType().BaseType == typeof(System.Enum))
- {
- value = new Microsoft.Xrm.Sdk.OptionSetValue((int) value);
- name = name.Remove(name.Length - "enum".Length);
- }
-
- switch (name)
- {
- case "id":
- base.Id = (System.Guid)value;
- Attributes["dfa_clientcodeid"] = base.Id;
- break;
- case "dfa_clientcodeid":
- var id = (System.Nullable) value;
- if(id == null){ continue; }
- base.Id = id.Value;
- Attributes[name] = base.Id;
- break;
- case "formattedvalues":
- // Add Support for FormattedValues
- FormattedValues.AddRange((Microsoft.Xrm.Sdk.FormattedValueCollection)value);
- break;
- default:
- Attributes[name] = value;
- break;
- }
- }
- }
- }
-}
-#pragma warning restore CS1591
diff --git a/Database/Model/Entities/DFA_ProjectClaim.cs b/Database/Model/Entities/DFA_ProjectClaim.cs
deleted file mode 100644
index 57a0b8f..0000000
--- a/Database/Model/Entities/DFA_ProjectClaim.cs
+++ /dev/null
@@ -1,5400 +0,0 @@
-#pragma warning disable CS1591
-//------------------------------------------------------------------------------
-//
-// This code was generated by a tool.
-//
-// Changes to this file may cause incorrect behavior and will be lost if
-// the code is regenerated.
-//
-//------------------------------------------------------------------------------
-
-namespace Database.Model
-{
-
-
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ProjectClaim_DFA_ApprovalPendingRole
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Adjudicator", 0, "#0000ff")]
- Adjudicator = 222710000,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Compliance Check", 1, "#0000ff")]
- ComplianceCheck = 222710001,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Qualified Receiver", 2, "#0000ff")]
- QualifiedReceiver = 222710002,
- }
-
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ProjectClaim_DFA_Decision
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Approved", 0, "#0000ff")]
- Approved = 222710000,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Approved with Exclusions", 3, "#0000ff")]
- ApprovedWithExclusions = 222710003,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Ineligible", 1, "#0000ff")]
- Ineligible = 222710001,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Withdrawn", 2, "#0000ff")]
- Withdrawn = 222710002,
- }
-
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ProjectClaim_DFA_DecisionCopy
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Approved", 0, "#0000ff")]
- Approved = 222710000,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Approved with Exclusions", 3, "#0000ff")]
- ApprovedWithExclusions = 222710003,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Ineligible", 1, "#0000ff")]
- Ineligible = 222710001,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Withdrawn", 2, "#0000ff")]
- Withdrawn = 222710002,
- }
-
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ProjectClaim_DFA_FundedBy
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("CAS Payment", 0, "#0000ff")]
- CasPayment = 222710000,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("From Advance", 1, "#0000ff")]
- FromAdvance = 222710001,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Remaining Advance and CAS Payment", 2, "#0000ff")]
- RemainingAdvanceAndCasPayment = 222710002,
- }
-
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ProjectClaim_DFA_SubmittedBpf
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Pending", 0, "#0000ff")]
- Pending = 222710000,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Received", 1, "#0000ff")]
- Received = 222710001,
- }
-
- ///
- /// Status of the Recovery Claim
- ///
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ProjectClaim_StateCode
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Active", 0)]
- Active = 0,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Inactive", 1)]
- Inactive = 1,
- }
-
- ///
- /// Reason for the status of the Recovery Claim
- ///
- [System.Runtime.Serialization.DataContractAttribute()]
- public enum DFA_ProjectClaim_StatusCode
- {
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Adjudicator", 6, "#0000ff")]
- Adjudicator = 222710005,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Approval Pending", 3, "#0000ff")]
- ApprovalPending = 222710002,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Closed", 5, "#0000ff")]
- Closed_Active_222710004 = 222710004,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Closed", 10, "#0000ff")]
- Closed_Active_222710009 = 222710009,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Compliance Check", 7, "#0000ff")]
- ComplianceCheck = 222710006,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Decision Made", 4, "#0000ff")]
- DecisionMade_Active_222710003 = 222710003,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Decision Made", 9, "#0000ff")]
- DecisionMade_Active_222710008 = 222710008,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Draft", 0, "#0000ff")]
- Draft = 1,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Expense Authority", 11, "#0000ff")]
- ExpenseAuthority = 222710010,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Inactive", 12, "#0000ff")]
- Inactive = 2,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Qualified Receiver", 8, "#0000ff")]
- QualifiedReceiver = 222710007,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Submitted", 1, "#0000ff")]
- Submitted = 222710000,
-
- [System.Runtime.Serialization.EnumMemberAttribute()]
- [OptionSetMetadataAttribute("Under Review", 2, "#0000ff")]
- UnderReview = 222710001,
- }
-
- [System.Runtime.Serialization.DataContractAttribute()]
- [Microsoft.Xrm.Sdk.Client.EntityLogicalNameAttribute("dfa_projectclaim")]
- public partial class DFA_ProjectClaim : Microsoft.Xrm.Sdk.Entity
- {
-
- ///
- /// Available fields, a the time of codegen, for the dfa_projectclaim entity
- ///
- public partial class Fields
- {
- public const string CreatedBy = "createdby";
- public const string CreatedByName = "createdbyname";
- public const string CreatedByYomiName = "createdbyyominame";
- public const string CreatedOn = "createdon";
- public const string CreatedOnBehalfBy = "createdonbehalfby";
- public const string CreatedOnBehalfByName = "createdonbehalfbyname";
- public const string CreatedOnBehalfByYomiName = "createdonbehalfbyyominame";
- public const string DFA_AdjudicatorAdditionalInForE = "dfa_adjudicatoradditionalinfore";
- public const string DFA_AdjudicatorAdditionalInForename = "dfa_adjudicatoradditionalinforename";
- public const string DFA_AdjudicatorBluebookRates = "dfa_adjudicatorbluebookrates";
- public const string DFA_AdjudicatorBluebookRatesName = "dfa_adjudicatorbluebookratesname";
- public const string DFA_AdjudicatorContracts = "dfa_adjudicatorcontracts";
- public const string DFA_AdjudicatorContractsName = "dfa_adjudicatorcontractsname";
- public const string DFA_AdjudicatorGeneralLedger = "dfa_adjudicatorgeneralledger";
- public const string DFA_AdjudicatorGeneralLedgerName = "dfa_adjudicatorgeneralledgername";
- public const string DFA_AdjudicatorOvertimeWageDocumentation = "dfa_adjudicatorovertimewagedocumentation";
- public const string DFA_AdjudicatorOvertimeWageDocumentationName = "dfa_adjudicatorovertimewagedocumentationname";
- public const string DFA_AdjudicatorProofOfPayment = "dfa_adjudicatorproofofpayment";
- public const string DFA_AdjudicatorProofOfPaymentName = "dfa_adjudicatorproofofpaymentname";
- public const string DFA_AdjudicatorReviewedInvoice = "dfa_adjudicatorreviewedinvoice";
- public const string DFA_AdjudicatorReviewedInvoiceName = "dfa_adjudicatorreviewedinvoicename";
- public const string DFA_AdjustmentClaimUnderReview = "dfa_adjustmentclaimunderreview";
- public const string DFA_AdjustmentClaimUnderReviewName = "dfa_adjustmentclaimunderreviewname";
- public const string DFA_AdvancedDrawDownAmount = "dfa_advanceddrawdownamount";
- public const string DFA_AdvancedDrawDownAmount_Base = "dfa_advanceddrawdownamount_base";
- public const string DFA_AdvancePaymentAmount = "dfa_advancepaymentamount";
- public const string DFA_AdvancePaymentAmount_Base = "dfa_advancepaymentamount_base";
- public const string DFA_ApprovalPendingAdditionalInfoRequested = "dfa_approvalpendingadditionalinforequested";
- public const string DFA_ApprovalPendingAdditionalInfoRequestedName = "dfa_approvalpendingadditionalinforequestedname";
- public const string DFA_ApprovalPendingInProgress = "dfa_approvalpendinginprogress";
- public const string DFA_ApprovalPendingInProgressName = "dfa_approvalpendinginprogressname";
- public const string DFA_ApprovalPendingRole = "dfa_approvalpendingrole";
- public const string DFA_ApprovalPendingRoleName = "dfa_approvalpendingrolename";
- public const string DFA_ApprovedTotal = "dfa_approvedtotal";
- public const string DFA_ApprovedTotal_Base = "dfa_approvedtotal_base";
- public const string DFA_ApprovedTotal_Date = "dfa_approvedtotal_date";
- public const string DFA_ApprovedTotal_State = "dfa_approvedtotal_state";
- public const string DFA_ApprovedTotalCopy = "dfa_approvedtotalcopy";
- public const string DFA_ApprovedTotalCopy_Base = "dfa_approvedtotalcopy_base";
- public const string DFA_ApprovedTotalMinusCostSharing = "dfa_approvedtotalminuscostsharing";
- public const string DFA_ApprovedTotalMinusCostSharing_Base = "dfa_approvedtotalminuscostsharing_base";
- public const string DFA_ApprovedTotalMinusCostSharingCopy = "dfa_approvedtotalminuscostsharingcopy";
- public const string DFA_ApprovedTotalMinusCostSharingCopy_Base = "dfa_approvedtotalminuscostsharingcopy_base";
- public const string DFA_AssignedToAdjudicator = "dfa_assignedtoadjudicator";
- public const string DFA_AssignedToAdjudicatorName = "dfa_assignedtoadjudicatorname";
- public const string DFA_BpfClosedAte = "dfa_bpfclosedate";
- public const string DFA_CaseId = "dfa_caseid";
- public const string DFA_CaseiDnaMe = "dfa_caseidname";
- public const string DFA_CasInvoiceAmount = "dfa_casinvoiceamount";
- public const string DFA_CasInvoiceAmount_Base = "dfa_casinvoiceamount_base";
- public const string DFA_CasInvoiceStatus = "dfa_casinvoicestatus";
- public const string DFA_CasPaymentAmount = "dfa_caspaymentamount";
- public const string DFA_CasPaymentAmount_Base = "dfa_caspaymentamount_base";
- public const string DFA_CasPaymentDate = "dfa_caspaymentdate";
- public const string DFA_CasPaymentNumber = "dfa_caspaymentnumber";
- public const string DFA_CasPaymentStatus = "dfa_caspaymentstatus";
- public const string DFA_ClaimAmount = "dfa_claimamount";
- public const string DFA_ClaimAmount_Base = "dfa_claimamount_base";
- public const string DFA_ClaimBpfStages = "dfa_claimbpfstages";
- public const string DFA_ClaimBpfStagesName = "dfa_claimbpfstagesname";
- public const string DFA_ClaimBpfSubStages = "dfa_claimbpfsubstages";
- public const string DFA_ClaimBpfSubStagesName = "dfa_claimbpfsubstagesname";
- public const string DFA_ClaimEligibleGstCopy = "dfa_claimeligiblegstcopy";
- public const string DFA_ClaimEligibleGstCopy_Base = "dfa_claimeligiblegstcopy_base";
- public const string DFA_ClaimPaidDate = "dfa_claimpaiddate";
- public const string DFA_ClaimReceivedByEMCRDate = "dfa_claimreceivedbyemcrdate";
- public const string DFA_ClaimReceivedDate = "dfa_claimreceiveddate";
- public const string DFA_ClaimTotal = "dfa_claimtotal";
- public const string DFA_ClaimTotal_Base = "dfa_claimtotal_base";
- public const string DFA_ClaimTotal_Date = "dfa_claimtotal_date";
- public const string DFA_ClaimTotal_State = "dfa_claimtotal_state";
- public const string DFA_ClaimTotalCopy = "dfa_claimtotalcopy";
- public const string DFA_ClaimTotalCopy_Base = "dfa_claimtotalcopy_base";
- public const string DFA_ClaimType = "dfa_claimtype";
- public const string DFA_ClaimTypeName = "dfa_claimtypename";
- public const string DFA_ClientCodeId = "dfa_clientcodeid";
- public const string DFA_ClientCodeIdName = "dfa_clientcodeidname";
- public const string DFA_CodingBlockSubmissionStatus = "dfa_codingblocksubmissionstatus";
- public const string DFA_CodingBlockSubmissionStatusName = "dfa_codingblocksubmissionstatusname";
- public const string DFA_ComplianceCheckAdditionalInForE = "dfa_compliancecheckadditionalinfore";
- public const string DFA_ComplianceCheckAdditionalInForename = "dfa_compliancecheckadditionalinforename";
- public const string DFA_ComplianceCheckBluebookRates = "dfa_compliancecheckbluebookrates";
- public const string DFA_ComplianceCheckBluebookRatesName = "dfa_compliancecheckbluebookratesname";
- public const string DFA_ComplianceCheckContracts = "dfa_compliancecheckcontracts";
- public const string DFA_ComplianceCheckContractsName = "dfa_compliancecheckcontractsname";
- public const string DFA_ComplianceCheckGeneralLedger = "dfa_compliancecheckgeneralledger";
- public const string DFA_ComplianceCheckGeneralLedgerName = "dfa_compliancecheckgeneralledgername";
- public const string DFA_ComplianceCheckOvertimeWageDocumentation = "dfa_compliancecheckovertimewagedocumentation";
- public const string DFA_ComplianceCheckOvertimeWageDocumentationName = "dfa_compliancecheckovertimewagedocumentationname";
- public const string DFA_ComplianceCheckProofOfPayment = "dfa_compliancecheckproofofpayment";
- public const string DFA_ComplianceCheckProofOfPaymentName = "dfa_compliancecheckproofofpaymentname";
- public const string DFA_ComplianceCheckReviewedInvoice = "dfa_compliancecheckreviewedinvoice";
- public const string DFA_ComplianceCheckReviewedInvoiceName = "dfa_compliancecheckreviewedinvoicename";
- public const string DFA_CostSharing = "dfa_costsharing";
- public const string DFA_CostSharingAdjustment = "dfa_costsharingadjustment";
- public const string DFA_CostSharingAdjustment_Base = "dfa_costsharingadjustment_base";
- public const string DFA_CostSharingAdjustmentValue = "dfa_costsharingadjustmentvalue";
- public const string DFA_CostSharingAdjustmentValue_Base = "dfa_costsharingadjustmentvalue_base";
- public const string DFA_CostSharingTemp = "dfa_costsharingtemp";
- public const string DFA_CreatedOnPortal = "dfa_createdonportal";
- public const string DFA_CreatedOnPortalName = "dfa_createdonportalname";
- public const string DFA_DateGoodsAndServicesReceived = "dfa_dategoodsandservicesreceived";
- public const string DFA_DateReceivedInProvince = "dfa_datereceivedinprovince";
- public const string DFA_DateSentForEAApproval = "dfa_datesentforeaapproval";
- public const string DFA_Decision = "dfa_decision";
- public const string DFA_DecisionCopy = "dfa_decisioncopy";
- public const string DFA_DecisionCopyName = "dfa_decisioncopyname";
- public const string DFA_DecisionName = "dfa_decisionname";
- public const string DFA_DFA_ClientCode_DFA_ProjectClaim_ClientCodeId = "dfa_dfa_clientcode_dfa_projectclaim_ClientCodeId";
- public const string DFA_EAName = "dfa_eaname";
- public const string DFA_EANameName = "dfa_eanamename";
- public const string DFA_EANameYomiName = "dfa_eanameyominame";
- public const string DFA_EligiblePayable = "dfa_eligiblepayable";
- public const string DFA_EligiblePayable_Base = "dfa_eligiblepayable_base";
- public const string DFA_EligibleRecoveryPayableAt90 = "dfa_eligiblerecoverypayableat90";
- public const string DFA_EligibleRecoveryPayableAt90_Base = "dfa_eligiblerecoverypayableat90_base";
- public const string DFA_EMCR_ExpenseProject_DFA_ProjectClaim_ProjectNumber = "dfa_emcr_expenseproject_dfa_projectclaim_ProjectNumber";
- public const string DFA_EMCR_ResponsibilityCentre_DFA_ProjectClaim_Resp = "dfa_emcr_responsibilitycentre_dfa_projectclaim_RESP";
- public const string DFA_EMCR_ServiceLine_DFA_ProjectClaim_ServiceLine = "dfa_emcr_serviceline_dfa_projectclaim_ServiceLine";
- public const string DFA_EMCR_Stob_DFA_ProjectClaim_Stob = "dfa_emcr_stob_dfa_projectclaim_STOB";
- public const string DFA_EmployeeNumber = "dfa_employeenumber";
- public const string DFA_ExpenseAuthority = "dfa_expenseauthority";
- public const string DFA_ExpenseAuthorityAdditionalInForE = "dfa_expenseauthorityadditionalinfore";
- public const string DFA_ExpenseAuthorityAdditionalInForename = "dfa_expenseauthorityadditionalinforename";
- public const string DFA_ExpenseAuthorityBluebookRates = "dfa_expenseauthoritybluebookrates";
- public const string DFA_ExpenseAuthorityBluebookRatesName = "dfa_expenseauthoritybluebookratesname";
- public const string DFA_ExpenseAuthorityContracts = "dfa_expenseauthoritycontracts";
- public const string DFA_ExpenseAuthorityContractsName = "dfa_expenseauthoritycontractsname";
- public const string DFA_ExpenseAuthorityGeneralLedger = "dfa_expenseauthoritygeneralledger";
- public const string DFA_ExpenseAuthorityGeneralLedgerName = "dfa_expenseauthoritygeneralledgername";
- public const string DFA_ExpenseAuthorityName = "dfa_expenseauthorityname";
- public const string DFA_ExpenseAuthorityOvertimeWageDocumentation = "dfa_expenseauthorityovertimewagedocumentation";
- public const string DFA_ExpenseAuthorityOvertimeWageDocumentationName = "dfa_expenseauthorityovertimewagedocumentationname";
- public const string DFA_ExpenseAuthorityProofOfPayment = "dfa_expenseauthorityproofofpayment";
- public const string DFA_ExpenseAuthorityProofOfPaymentName = "dfa_expenseauthorityproofofpaymentname";
- public const string DFA_ExpenseAuthorityReviewedInvoice = "dfa_expenseauthorityreviewedinvoice";
- public const string DFA_ExpenseAuthorityReviewedInvoiceName = "dfa_expenseauthorityreviewedinvoicename";
- public const string DFA_FinalClaim = "dfa_finalclaim";
- public const string DFA_FinalClaimName = "dfa_finalclaimname";
- public const string DFA_FundedBy = "dfa_fundedby";
- public const string DFA_FundedByName = "dfa_fundedbyname";
- public const string DFA_Gst5 = "dfa_gst5";
- public const string DFA_Gst5_Base = "dfa_gst5_base";
- public const string DFA_IncludedInAdvancedPaymentCalculations = "dfa_includedinadvancedpaymentcalculations";
- public const string DFA_IncludedInAdvancedPaymentCalculationsName = "dfa_includedinadvancedpaymentcalculationsname";
- public const string DFA_InvoiceChange = "dfa_invoicechange";
- public const string DFA_InvoiceChangeName = "dfa_invoicechangename";
- public const string DFA_InvoiceDate = "dfa_invoicedate";
- public const string DFA_InvoiceNumber = "dfa_invoicenumber";
- public const string DFA_InvoiceTotal = "dfa_invoicetotal";
- public const string DFA_InvoiceTotal_Base = "dfa_invoicetotal_base";
- public const string DFA_IsAdjustmentClaim = "dfa_isadjustmentclaim";
- public const string DFA_IsAdjustmentClaimName = "dfa_isadjustmentclaimname";
- public const string DFA_IsFirstClaim = "dfa_isfirstclaim";
- public const string DFA_IsFirstClaimName = "dfa_isfirstclaimname";
- public const string DFA_LastCodingBlockSubmissionError = "dfa_lastcodingblocksubmissionerror";
- public const string DFA_LessFirst1000 = "dfa_lessfirst1000";
- public const string DFA_LessFirst1000_Base = "dfa_lessfirst1000_base";
- public const string DFA_Name = "dfa_name";
- public const string DFA_OnetimeDeductionAmount = "dfa_onetimedeductionamount";
- public const string DFA_OnetimeDeductionAmount_Base = "dfa_onetimedeductionamount_base";
- public const string DFA_PaidClaimAmount = "dfa_paidclaimamount";
- public const string DFA_PaidClaimAmount_Base = "dfa_paidclaimamount_base";
- public const string DFA_PayGroupType = "dfa_paygrouptype";
- public const string DFA_PayGroupTypeName = "dfa_paygrouptypename";
- public const string DFA_PaymentAdviceComments = "dfa_paymentadvicecomments";
- public const string DFA_PortalSubmitted = "dfa_portalsubmitted";
- public const string DFA_PortalSubmittedName = "dfa_portalsubmittedname";
- public const string DFA_ProjectClaimId = "dfa_projectclaimid";
- public const string Id = "dfa_projectclaimid";
- public const string DFA_ProjectNumber = "dfa_projectnumber";
- public const string DFA_ProjectNumberName = "dfa_projectnumbername";
- public const string DFA_ProjectStatusReportId = "dfa_projectstatusreportid";
- public const string DFA_ProjectStatusReportIdName = "dfa_projectstatusreportidname";
- public const string DFA_Purpose = "dfa_purpose";
- public const string DFA_QualifiedReceiver = "dfa_qualifiedreceiver";
- public const string DFA_QualifiedReceiverAdditionalInForE = "dfa_qualifiedreceiveradditionalinfore";
- public const string DFA_QualifiedReceiverAdditionalInForename = "dfa_qualifiedreceiveradditionalinforename";
- public const string DFA_QualifiedReceiverBluebookRates = "dfa_qualifiedreceiverbluebookrates";
- public const string DFA_QualifiedReceiverBluebookRatesName = "dfa_qualifiedreceiverbluebookratesname";
- public const string DFA_QualifiedReceiverContracts = "dfa_qualifiedreceivercontracts";
- public const string DFA_QualifiedReceiverContractsName = "dfa_qualifiedreceivercontractsname";
- public const string DFA_QualifiedReceiverGeneralLedger = "dfa_qualifiedreceivergeneralledger";
- public const string DFA_QualifiedReceiverGeneralLedgerName = "dfa_qualifiedreceivergeneralledgername";
- public const string DFA_QualifiedReceiverName = "dfa_qualifiedreceivername";
- public const string DFA_QualifiedReceiverOvertimeWageDocumentAtIo = "dfa_qualifiedreceiverovertimewagedocumentatio";
- public const string DFA_QualifiedReceiverOvertimeWageDocumentationAmE = "dfa_qualifiedreceiverovertimewagedocumentationame";
- public const string DFA_QualifiedReceiverProofOfPayment = "dfa_qualifiedreceiverproofofpayment";
- public const string DFA_QualifiedReceiverProofOfPaymentName = "dfa_qualifiedreceiverproofofpaymentname";
- public const string DFA_QualifiedReceiverReviewedInvoice = "dfa_qualifiedreceiverreviewedinvoice";
- public const string DFA_QualifiedReceiverReviewedInvoiceName = "dfa_qualifiedreceiverreviewedinvoicename";
- public const string DFA_QualifiedReceiverYomiName = "dfa_qualifiedreceiveryominame";
- public const string DFA_ReadyForEAReview = "dfa_readyforeareview";
- public const string DFA_ReadyForEAReviewName = "dfa_readyforeareviewname";
- public const string DFA_RecommendAtaIon = "dfa_recommendataion";
- public const string DFA_RecoveryPlanId = "dfa_recoveryplanid";
- public const string DFA_RecoveryPlanIdName = "dfa_recoveryplanidname";
- public const string DFA_Resp = "dfa_resp";
- public const string DFA_RespName = "dfa_respname";
- public const string DFA_S3ValidationPassed = "dfa_s3validationpassed";
- public const string DFA_S3ValidationPassedName = "dfa_s3validationpassedname";
- public const string DFA_S3ValidationResult = "dfa_s3validationresult";
- public const string DFA_S3ValidationTrigger = "dfa_s3validationtrigger";
- public const string DFA_SelectedSupplierApiResponse = "dfa_selectedsupplierapiresponse";
- public const string DFA_ServiceLine = "dfa_serviceline";
- public const string DFA_ServiceLineName = "dfa_servicelinename";
- public const string DFA_Site = "dfa_site";
- public const string DFA_StageAdjudicator = "dfa_stageadjudicator";
- public const string DFA_StageApprovedPending = "dfa_stageapprovedpending";
- public const string DFA_StageClosed = "dfa_stageclosed";
- public const string DFA_StageComplianceCheck = "dfa_stagecompliancecheck";
- public const string DFA_StageDecisionMade = "dfa_stagedecisionmade";
- public const string DFA_StageDraft = "dfa_stagedraft";
- public const string DFA_StageExpenseAuthority = "dfa_stageexpenseauthority";
- public const string DFA_StageQualifiedReceiver = "dfa_stagequalifiedreceiver";
- public const string DFA_StageSubmitted = "dfa_stagesubmitted";
- public const string DFA_StageUnderReview = "dfa_stageunderreview";
- public const string DFA_Stob = "dfa_stob";
- public const string DFA_StobName = "dfa_stobname";
- public const string DFA_Submitted = "dfa_submitted";
- public const string DFA_SubmittedBpf = "dfa_submittedbpf";
- public const string DFA_SubmittedBpfName = "dfa_submittedbpfname";
- public const string DFA_SubmittedName = "dfa_submittedname";
- public const string DFA_SupplierName = "dfa_suppliername";
- public const string DFA_SupplierNumber = "dfa_suppliernumber";
- public const string DFA_SystemUser_DFA_ProjectClaim_EAnaMe = "dfa_systemuser_dfa_projectclaim_EAName";
- public const string DFA_SystemUser_DFA_ProjectClaim_QualifiedReceiver = "dfa_systemuser_dfa_projectclaim_QualifiedReceiver";
- public const string DFA_TempApproval = "dfa_tempapproval";
- public const string DFA_TempApprovalName = "dfa_tempapprovalname";
- public const string DFA_TotalActualClaim = "dfa_totalactualclaim";
- public const string DFA_TotalActualClaim_Base = "dfa_totalactualclaim_base";
- public const string DFA_TotalActualClaim_Date = "dfa_totalactualclaim_date";
- public const string DFA_TotalActualClaim_State = "dfa_totalactualclaim_state";
- public const string DFA_TotalActualClaimCopy = "dfa_totalactualclaimcopy";
- public const string DFA_TotalActualClaimCopy_Base = "dfa_totalactualclaimcopy_base";
- public const string DFA_TotalActualInvoice = "dfa_totalactualinvoice";
- public const string DFA_TotalActualInvoice_Base = "dfa_totalactualinvoice_base";
- public const string DFA_TotalApproved = "dfa_totalapproved";
- public const string DFA_TotalApproved_Base = "dfa_totalapproved_base";
- public const string DFA_TotalApproved_Date = "dfa_totalapproved_date";
- public const string DFA_TotalApproved_State = "dfa_totalapproved_state";
- public const string DFA_TotalBeforeTax = "dfa_totalbeforetax";
- public const string DFA_TotalBeforeTax_Base = "dfa_totalbeforetax_base";
- public const string DFA_TotalEligibleGst = "dfa_totaleligiblegst";
- public const string DFA_TotalEligibleGst_Base = "dfa_totaleligiblegst_base";
- public const string DFA_TotalEligibleGst_Date = "dfa_totaleligiblegst_date";
- public const string DFA_TotalEligibleGst_State = "dfa_totaleligiblegst_state";
- public const string DFA_TotalEligibleGstCopy = "dfa_totaleligiblegstcopy";
- public const string DFA_TotalEligibleGstCopy_Base = "dfa_totaleligiblegstcopy_base";
- public const string DFA_TotalGrossGst = "dfa_totalgrossgst";
- public const string DFA_TotalGrossGst_Base = "dfa_totalgrossgst_base";
- public const string DFA_TotalGrossGst_Date = "dfa_totalgrossgst_date";
- public const string DFA_TotalGrossGst_State = "dfa_totalgrossgst_state";
- public const string DFA_TotalGrossGstCopy = "dfa_totalgrossgstcopy";
- public const string DFA_TotalGrossGstCopy_Base = "dfa_totalgrossgstcopy_base";
- public const string DFA_TotalNetInvoicedBeingClaimed = "dfa_totalnetinvoicedbeingclaimed";
- public const string DFA_TotalNetInvoicedBeingClaimed_Base = "dfa_totalnetinvoicedbeingclaimed_base";
- public const string DFA_TotalNetInvoicedBeingClaimed_Date = "dfa_totalnetinvoicedbeingclaimed_date";
- public const string DFA_TotalNetInvoicedBeingClaimed_State = "dfa_totalnetinvoicedbeingclaimed_state";
- public const string DFA_TotalNetInvoicedBeingClaimedCopy = "dfa_totalnetinvoicedbeingclaimedcopy";
- public const string DFA_TotalNetInvoicedBeingClaimedCopy_Base = "dfa_totalnetinvoicedbeingclaimedcopy_base";
- public const string DFA_TotalOfTotalEligible = "dfa_totaloftotaleligible";
- public const string DFA_TotalOfTotalEligible_Base = "dfa_totaloftotaleligible_base";
- public const string DFA_TotalPaid = "dfa_totalpaid";
- public const string DFA_TotalPaid_Base = "dfa_totalpaid_base";
- public const string DFA_TotalPst = "dfa_totalpst";
- public const string DFA_TotalPst_Base = "dfa_totalpst_base";
- public const string DFA_TotalPst_Date = "dfa_totalpst_date";
- public const string DFA_TotalPst_State = "dfa_totalpst_state";
- public const string DFA_TotalPstCopy = "dfa_totalpstcopy";
- public const string DFA_TotalPstCopy_Base = "dfa_totalpstcopy_base";
- public const string DFA_UnderReviewAdditionalInfoRequested = "dfa_underreviewadditionalinforequested";
- public const string DFA_UnderReviewAdditionalInfoRequestedName = "dfa_underreviewadditionalinforequestedname";
- public const string DFA_UnderReviewInProgress = "dfa_underreviewinprogress";
- public const string DFA_UnderReviewInProgressName = "dfa_underreviewinprogressname";
- public const string ExchangerAte = "exchangerate";
- public const string ImportSequenceNumber = "importsequencenumber";
- public const string Lk_DFA_ProjectClaim_CreatedBy = "lk_dfa_projectclaim_createdby";
- public const string Lk_DFA_ProjectClaim_CreatedOnBehalfBy = "lk_dfa_projectclaim_createdonbehalfby";
- public const string Lk_DFA_ProjectClaim_ModifiedBy = "lk_dfa_projectclaim_modifiedby";
- public const string Lk_DFA_ProjectClaim_ModifiedOnBehalfBy = "lk_dfa_projectclaim_modifiedonbehalfby";
- public const string ModifiedBy = "modifiedby";
- public const string ModifiedByName = "modifiedbyname";
- public const string ModifiedByYomiName = "modifiedbyyominame";
- public const string ModifiedOn = "modifiedon";
- public const string ModifiedOnBehalfBy = "modifiedonbehalfby";
- public const string ModifiedOnBehalfByName = "modifiedonbehalfbyname";
- public const string ModifiedOnBehalfByYomiName = "modifiedonbehalfbyyominame";
- public const string OverriddenCreatedOn = "overriddencreatedon";
- public const string OwnerId = "ownerid";
- public const string OwnerIdName = "owneridname";
- public const string OwnerIdYomiName = "owneridyominame";
- public const string OwningBusinessUnit = "owningbusinessunit";
- public const string OwningTeam = "owningteam";
- public const string OwningUser = "owninguser";
- public const string ProcessId = "processid";
- public const string StageId = "stageid";
- public const string StateCode = "statecode";
- public const string StateCodename = "statecodename";
- public const string StatusCode = "statuscode";
- public const string StatusCodename = "statuscodename";
- public const string TimeZoneRuleVersionNumber = "timezoneruleversionnumber";
- public const string TransactionCurrencyId = "transactioncurrencyid";
- public const string TransactionCurrencyIdName = "transactioncurrencyidname";
- public const string TraversedPath = "traversedpath";
- public const string User_DFA_ProjectClaim = "user_dfa_projectclaim";
- public const string UtcConversionTimeZoneCode = "utcconversiontimezonecode";
- public const string VersionNumber = "versionnumber";
- }
-
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ProjectClaim(System.Guid id) :
- base(EntityLogicalName, id)
- {
- }
-
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ProjectClaim(string keyName, object keyValue) :
- base(EntityLogicalName, keyName, keyValue)
- {
- }
-
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ProjectClaim(Microsoft.Xrm.Sdk.KeyAttributeCollection keyAttributes) :
- base(EntityLogicalName, keyAttributes)
- {
- }
-
- public const string AlternateKeys = "dfa_name";
-
- ///
- /// Default Constructor.
- ///
- [System.Diagnostics.DebuggerNonUserCode()]
- public DFA_ProjectClaim() :
- base(EntityLogicalName)
- {
- }
-
- public const string PrimaryIdAttribute = "dfa_projectclaimid";
-
- public const string PrimaryNameAttribute = "dfa_name";
-
- public const string EntitySchemaName = "dfa_projectclaim";
-
- public const string EntityLogicalName = "dfa_projectclaim";
-
- public const string EntityLogicalCollectionName = "dfa_projectclaims";
-
- public const string EntitySetName = "dfa_projectclaims";
-
- ///
- /// Unique identifier of the user who created the record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdby")]
- public Microsoft.Xrm.Sdk.EntityReference CreatedBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("createdby");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdbyname")]
- public string CreatedByName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("createdby"))
- {
- return this.FormattedValues["createdby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdbyyominame")]
- public string CreatedByYomiName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("createdby"))
- {
- return this.FormattedValues["createdby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Date and time when the record was created.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdon")]
- public System.Nullable CreatedOn
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("createdon");
- }
- }
-
- ///
- /// Unique identifier of the delegate user who created the record.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdonbehalfby")]
- public Microsoft.Xrm.Sdk.EntityReference CreatedOnBehalfBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("createdonbehalfby");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("createdonbehalfby", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdonbehalfbyname")]
- public string CreatedOnBehalfByName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("createdonbehalfby"))
- {
- return this.FormattedValues["createdonbehalfby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("createdonbehalfbyyominame")]
- public string CreatedOnBehalfByYomiName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("createdonbehalfby"))
- {
- return this.FormattedValues["createdonbehalfby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatoradditionalinfore")]
- public System.Nullable DFA_AdjudicatorAdditionalInForE
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_adjudicatoradditionalinfore");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_adjudicatoradditionalinfore", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatoradditionalinforename")]
- public string DFA_AdjudicatorAdditionalInForename
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_adjudicatoradditionalinfore"))
- {
- return this.FormattedValues["dfa_adjudicatoradditionalinfore"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorbluebookrates")]
- public System.Nullable DFA_AdjudicatorBluebookRates
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_adjudicatorbluebookrates");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_adjudicatorbluebookrates", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorbluebookratesname")]
- public string DFA_AdjudicatorBluebookRatesName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_adjudicatorbluebookrates"))
- {
- return this.FormattedValues["dfa_adjudicatorbluebookrates"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorcontracts")]
- public System.Nullable DFA_AdjudicatorContracts
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_adjudicatorcontracts");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_adjudicatorcontracts", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorcontractsname")]
- public string DFA_AdjudicatorContractsName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_adjudicatorcontracts"))
- {
- return this.FormattedValues["dfa_adjudicatorcontracts"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorgeneralledger")]
- public System.Nullable DFA_AdjudicatorGeneralLedger
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_adjudicatorgeneralledger");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_adjudicatorgeneralledger", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorgeneralledgername")]
- public string DFA_AdjudicatorGeneralLedgerName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_adjudicatorgeneralledger"))
- {
- return this.FormattedValues["dfa_adjudicatorgeneralledger"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorovertimewagedocumentation")]
- public System.Nullable DFA_AdjudicatorOvertimeWageDocumentation
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_adjudicatorovertimewagedocumentation");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_adjudicatorovertimewagedocumentation", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorovertimewagedocumentationname")]
- public string DFA_AdjudicatorOvertimeWageDocumentationName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_adjudicatorovertimewagedocumentation"))
- {
- return this.FormattedValues["dfa_adjudicatorovertimewagedocumentation"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorproofofpayment")]
- public System.Nullable DFA_AdjudicatorProofOfPayment
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_adjudicatorproofofpayment");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_adjudicatorproofofpayment", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorproofofpaymentname")]
- public string DFA_AdjudicatorProofOfPaymentName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_adjudicatorproofofpayment"))
- {
- return this.FormattedValues["dfa_adjudicatorproofofpayment"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorreviewedinvoice")]
- public System.Nullable DFA_AdjudicatorReviewedInvoice
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_adjudicatorreviewedinvoice");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_adjudicatorreviewedinvoice", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjudicatorreviewedinvoicename")]
- public string DFA_AdjudicatorReviewedInvoiceName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_adjudicatorreviewedinvoice"))
- {
- return this.FormattedValues["dfa_adjudicatorreviewedinvoice"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjustmentclaimunderreview")]
- public System.Nullable DFA_AdjustmentClaimUnderReview
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_adjustmentclaimunderreview");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_adjustmentclaimunderreview", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_adjustmentclaimunderreviewname")]
- public string DFA_AdjustmentClaimUnderReviewName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_adjustmentclaimunderreview"))
- {
- return this.FormattedValues["dfa_adjustmentclaimunderreview"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_advanceddrawdownamount")]
- public Microsoft.Xrm.Sdk.Money DFA_AdvancedDrawDownAmount
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_advanceddrawdownamount");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_advanceddrawdownamount", value);
- }
- }
-
- ///
- /// Value of the Advanced Drawdown Amount in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_advanceddrawdownamount_base")]
- public Microsoft.Xrm.Sdk.Money DFA_AdvancedDrawDownAmount_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_advanceddrawdownamount_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_advancepaymentamount")]
- public Microsoft.Xrm.Sdk.Money DFA_AdvancePaymentAmount
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_advancepaymentamount");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_advancepaymentamount", value);
- }
- }
-
- ///
- /// Value of the Advance Payment Amount in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_advancepaymentamount_base")]
- public Microsoft.Xrm.Sdk.Money DFA_AdvancePaymentAmount_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_advancepaymentamount_base");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_advancepaymentamount_base", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvalpendingadditionalinforequested")]
- public System.Nullable DFA_ApprovalPendingAdditionalInfoRequested
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_approvalpendingadditionalinforequested");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_approvalpendingadditionalinforequested", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvalpendingadditionalinforequestedname")]
- public string DFA_ApprovalPendingAdditionalInfoRequestedName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_approvalpendingadditionalinforequested"))
- {
- return this.FormattedValues["dfa_approvalpendingadditionalinforequested"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvalpendinginprogress")]
- public System.Nullable DFA_ApprovalPendingInProgress
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_approvalpendinginprogress");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_approvalpendinginprogress", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvalpendinginprogressname")]
- public string DFA_ApprovalPendingInProgressName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_approvalpendinginprogress"))
- {
- return this.FormattedValues["dfa_approvalpendinginprogress"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvalpendingrole")]
- public virtual DFA_ProjectClaim_DFA_ApprovalPendingRole? DFA_ApprovalPendingRole
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_ProjectClaim_DFA_ApprovalPendingRole?)(EntityOptionSetEnum.GetEnum(this, "dfa_approvalpendingrole")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_approvalpendingrole", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvalpendingrolename")]
- public string DFA_ApprovalPendingRoleName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_approvalpendingrole"))
- {
- return this.FormattedValues["dfa_approvalpendingrole"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotal")]
- public Microsoft.Xrm.Sdk.Money DFA_ApprovedTotal
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_approvedtotal");
- }
- }
-
- ///
- /// Value of the Approved Total in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotal_base")]
- public Microsoft.Xrm.Sdk.Money DFA_ApprovedTotal_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_approvedtotal_base");
- }
- }
-
- ///
- /// Last Updated time of rollup field Approved Total.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotal_date")]
- public System.Nullable DFA_ApprovedTotal_Date
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_approvedtotal_date");
- }
- }
-
- ///
- /// State of rollup field Approved Total.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotal_state")]
- public System.Nullable DFA_ApprovedTotal_State
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_approvedtotal_state");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotalcopy")]
- public Microsoft.Xrm.Sdk.Money DFA_ApprovedTotalCopy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_approvedtotalcopy");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_approvedtotalcopy", value);
- }
- }
-
- ///
- /// Value of the Approved Total Copy in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotalcopy_base")]
- public Microsoft.Xrm.Sdk.Money DFA_ApprovedTotalCopy_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_approvedtotalcopy_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotalminuscostsharing")]
- public Microsoft.Xrm.Sdk.Money DFA_ApprovedTotalMinusCostSharing
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_approvedtotalminuscostsharing");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_approvedtotalminuscostsharing", value);
- }
- }
-
- ///
- /// Value of the Approved Total minus Cost Sharing in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotalminuscostsharing_base")]
- public Microsoft.Xrm.Sdk.Money DFA_ApprovedTotalMinusCostSharing_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_approvedtotalminuscostsharing_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotalminuscostsharingcopy")]
- public Microsoft.Xrm.Sdk.Money DFA_ApprovedTotalMinusCostSharingCopy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_approvedtotalminuscostsharingcopy");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_approvedtotalminuscostsharingcopy", value);
- }
- }
-
- ///
- /// Value of the Approved Total minus Cost Sharing Copy in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_approvedtotalminuscostsharingcopy_base")]
- public Microsoft.Xrm.Sdk.Money DFA_ApprovedTotalMinusCostSharingCopy_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_approvedtotalminuscostsharingcopy_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_assignedtoadjudicator")]
- public System.Nullable DFA_AssignedToAdjudicator
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_assignedtoadjudicator");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_assignedtoadjudicator", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_assignedtoadjudicatorname")]
- public string DFA_AssignedToAdjudicatorName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_assignedtoadjudicator"))
- {
- return this.FormattedValues["dfa_assignedtoadjudicator"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_bpfclosedate")]
- public System.Nullable DFA_BpfClosedAte
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_bpfclosedate");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_bpfclosedate", value);
- }
- }
-
- ///
- /// Unique identifier for Case associated with Recovery Claim.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_caseid")]
- public Microsoft.Xrm.Sdk.EntityReference DFA_CaseId
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_caseid");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_caseid", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_caseidname")]
- public string DFA_CaseiDnaMe
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_caseid"))
- {
- return this.FormattedValues["dfa_caseid"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_casinvoiceamount")]
- public Microsoft.Xrm.Sdk.Money DFA_CasInvoiceAmount
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_casinvoiceamount");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_casinvoiceamount", value);
- }
- }
-
- ///
- /// Value of the CAS Invoice Amount in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_casinvoiceamount_base")]
- public Microsoft.Xrm.Sdk.Money DFA_CasInvoiceAmount_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_casinvoiceamount_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_casinvoicestatus")]
- public string DFA_CasInvoiceStatus
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_casinvoicestatus");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_casinvoicestatus", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_caspaymentamount")]
- public Microsoft.Xrm.Sdk.Money DFA_CasPaymentAmount
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_caspaymentamount");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_caspaymentamount", value);
- }
- }
-
- ///
- /// Value of the CAS Payment Amount in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_caspaymentamount_base")]
- public Microsoft.Xrm.Sdk.Money DFA_CasPaymentAmount_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_caspaymentamount_base");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_caspaymentamount_base", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_caspaymentdate")]
- public System.Nullable DFA_CasPaymentDate
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_caspaymentdate");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_caspaymentdate", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_caspaymentnumber")]
- public string DFA_CasPaymentNumber
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_caspaymentnumber");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_caspaymentnumber", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_caspaymentstatus")]
- public string DFA_CasPaymentStatus
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_caspaymentstatus");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_caspaymentstatus", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimamount")]
- public Microsoft.Xrm.Sdk.Money DFA_ClaimAmount
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_claimamount");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimamount", value);
- }
- }
-
- ///
- /// Value of the Claim Amount in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimamount_base")]
- public Microsoft.Xrm.Sdk.Money DFA_ClaimAmount_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_claimamount_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimbpfstages")]
- public virtual DFA_ClaimBusinessProcessStages? DFA_ClaimBpfStages
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_ClaimBusinessProcessStages?)(EntityOptionSetEnum.GetEnum(this, "dfa_claimbpfstages")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimbpfstages", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimbpfstagesname")]
- public string DFA_ClaimBpfStagesName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_claimbpfstages"))
- {
- return this.FormattedValues["dfa_claimbpfstages"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimbpfsubstages")]
- public virtual DFA_ClaimBpfSubStages? DFA_ClaimBpfSubStages
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_ClaimBpfSubStages?)(EntityOptionSetEnum.GetEnum(this, "dfa_claimbpfsubstages")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimbpfsubstages", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimbpfsubstagesname")]
- public string DFA_ClaimBpfSubStagesName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_claimbpfsubstages"))
- {
- return this.FormattedValues["dfa_claimbpfsubstages"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimeligiblegstcopy")]
- public Microsoft.Xrm.Sdk.Money DFA_ClaimEligibleGstCopy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_claimeligiblegstcopy");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimeligiblegstcopy", value);
- }
- }
-
- ///
- /// Value of the Claim Eligible GST Copy in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimeligiblegstcopy_base")]
- public Microsoft.Xrm.Sdk.Money DFA_ClaimEligibleGstCopy_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_claimeligiblegstcopy_base");
- }
- }
-
- ///
- /// The date the payment was made to the governing body.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimpaiddate")]
- public System.Nullable DFA_ClaimPaidDate
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_claimpaiddate");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimpaiddate", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimreceivedbyemcrdate")]
- public System.Nullable DFA_ClaimReceivedByEMCRDate
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_claimreceivedbyemcrdate");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimreceivedbyemcrdate", value);
- }
- }
-
- ///
- /// The date the claim was submitted from the portal.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimreceiveddate")]
- public System.Nullable DFA_ClaimReceivedDate
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_claimreceiveddate");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimreceiveddate", value);
- }
- }
-
- ///
- /// The amount that is being claimed from all the invoices; the total of 'Total being claimed'.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimtotal")]
- public Microsoft.Xrm.Sdk.Money DFA_ClaimTotal
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_claimtotal");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimtotal", value);
- }
- }
-
- ///
- /// Value of the Claim Total in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimtotal_base")]
- public Microsoft.Xrm.Sdk.Money DFA_ClaimTotal_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_claimtotal_base");
- }
- }
-
- ///
- /// Last Updated time of rollup field Claim total.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimtotal_date")]
- public System.Nullable DFA_ClaimTotal_Date
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_claimtotal_date");
- }
- }
-
- ///
- /// State of rollup field Claim total.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimtotal_state")]
- public System.Nullable DFA_ClaimTotal_State
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_claimtotal_state");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimtotalcopy")]
- public Microsoft.Xrm.Sdk.Money DFA_ClaimTotalCopy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_claimtotalcopy");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimtotalcopy", value);
- }
- }
-
- ///
- /// Value of the Claim Total Copy in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimtotalcopy_base")]
- public Microsoft.Xrm.Sdk.Money DFA_ClaimTotalCopy_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_claimtotalcopy_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimtype")]
- public virtual DFA_RecoveryClaimType? DFA_ClaimType
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_RecoveryClaimType?)(EntityOptionSetEnum.GetEnum(this, "dfa_claimtype")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_claimtype", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_claimtypename")]
- public string DFA_ClaimTypeName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_claimtype"))
- {
- return this.FormattedValues["dfa_claimtype"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_clientcodeid")]
- public Microsoft.Xrm.Sdk.EntityReference DFA_ClientCodeId
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_clientcodeid");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_clientcodeid", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_clientcodeidname")]
- public string DFA_ClientCodeIdName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_clientcodeid"))
- {
- return this.FormattedValues["dfa_clientcodeid"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_codingblocksubmissionstatus")]
- public virtual DFA_CodingBlockSubmissionStatus? DFA_CodingBlockSubmissionStatus
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_CodingBlockSubmissionStatus?)(EntityOptionSetEnum.GetEnum(this, "dfa_codingblocksubmissionstatus")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_codingblocksubmissionstatus", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_codingblocksubmissionstatusname")]
- public string DFA_CodingBlockSubmissionStatusName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_codingblocksubmissionstatus"))
- {
- return this.FormattedValues["dfa_codingblocksubmissionstatus"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckadditionalinfore")]
- public System.Nullable DFA_ComplianceCheckAdditionalInForE
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_compliancecheckadditionalinfore");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_compliancecheckadditionalinfore", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckadditionalinforename")]
- public string DFA_ComplianceCheckAdditionalInForename
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_compliancecheckadditionalinfore"))
- {
- return this.FormattedValues["dfa_compliancecheckadditionalinfore"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckbluebookrates")]
- public System.Nullable DFA_ComplianceCheckBluebookRates
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_compliancecheckbluebookrates");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_compliancecheckbluebookrates", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckbluebookratesname")]
- public string DFA_ComplianceCheckBluebookRatesName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_compliancecheckbluebookrates"))
- {
- return this.FormattedValues["dfa_compliancecheckbluebookrates"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckcontracts")]
- public System.Nullable DFA_ComplianceCheckContracts
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_compliancecheckcontracts");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_compliancecheckcontracts", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckcontractsname")]
- public string DFA_ComplianceCheckContractsName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_compliancecheckcontracts"))
- {
- return this.FormattedValues["dfa_compliancecheckcontracts"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckgeneralledger")]
- public System.Nullable DFA_ComplianceCheckGeneralLedger
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_compliancecheckgeneralledger");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_compliancecheckgeneralledger", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckgeneralledgername")]
- public string DFA_ComplianceCheckGeneralLedgerName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_compliancecheckgeneralledger"))
- {
- return this.FormattedValues["dfa_compliancecheckgeneralledger"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckovertimewagedocumentation")]
- public System.Nullable DFA_ComplianceCheckOvertimeWageDocumentation
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_compliancecheckovertimewagedocumentation");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_compliancecheckovertimewagedocumentation", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckovertimewagedocumentationname")]
- public string DFA_ComplianceCheckOvertimeWageDocumentationName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_compliancecheckovertimewagedocumentation"))
- {
- return this.FormattedValues["dfa_compliancecheckovertimewagedocumentation"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckproofofpayment")]
- public System.Nullable DFA_ComplianceCheckProofOfPayment
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_compliancecheckproofofpayment");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_compliancecheckproofofpayment", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckproofofpaymentname")]
- public string DFA_ComplianceCheckProofOfPaymentName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_compliancecheckproofofpayment"))
- {
- return this.FormattedValues["dfa_compliancecheckproofofpayment"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckreviewedinvoice")]
- public System.Nullable DFA_ComplianceCheckReviewedInvoice
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_compliancecheckreviewedinvoice");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_compliancecheckreviewedinvoice", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_compliancecheckreviewedinvoicename")]
- public string DFA_ComplianceCheckReviewedInvoiceName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_compliancecheckreviewedinvoice"))
- {
- return this.FormattedValues["dfa_compliancecheckreviewedinvoice"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// This is the reimbursement % approved by DFA based on the Estimated Reimbursement % or the result of the Cost Share Calculation.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_costsharing")]
- public System.Nullable DFA_CostSharing
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_costsharing");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_costsharing", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_costsharingadjustment")]
- public Microsoft.Xrm.Sdk.Money DFA_CostSharingAdjustment
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_costsharingadjustment");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_costsharingadjustment", value);
- }
- }
-
- ///
- /// Value of the Cost Sharing Adjustment in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_costsharingadjustment_base")]
- public Microsoft.Xrm.Sdk.Money DFA_CostSharingAdjustment_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_costsharingadjustment_base");
- }
- }
-
- ///
- /// The amount that is to be paid as a result of changing the approved reimbursement %.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_costsharingadjustmentvalue")]
- public Microsoft.Xrm.Sdk.Money DFA_CostSharingAdjustmentValue
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_costsharingadjustmentvalue");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_costsharingadjustmentvalue", value);
- }
- }
-
- ///
- /// Value of the Cost Sharing Adjustment Value in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_costsharingadjustmentvalue_base")]
- public Microsoft.Xrm.Sdk.Money DFA_CostSharingAdjustmentValue_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_costsharingadjustmentvalue_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_costsharingtemp")]
- public System.Nullable DFA_CostSharingTemp
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_costsharingtemp");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_costsharingtemp", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_createdonportal")]
- public System.Nullable DFA_CreatedOnPortal
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_createdonportal");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_createdonportal", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_createdonportalname")]
- public string DFA_CreatedOnPortalName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_createdonportal"))
- {
- return this.FormattedValues["dfa_createdonportal"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_dategoodsandservicesreceived")]
- public System.Nullable DFA_DateGoodsAndServicesReceived
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_dategoodsandservicesreceived");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_dategoodsandservicesreceived", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_datereceivedinprovince")]
- public System.Nullable DFA_DateReceivedInProvince
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_datereceivedinprovince");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_datereceivedinprovince", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_datesentforeaapproval")]
- public System.Nullable DFA_DateSentForEAApproval
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_datesentforeaapproval");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_datesentforeaapproval", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_decision")]
- public virtual DFA_ProjectClaim_DFA_Decision? DFA_Decision
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_ProjectClaim_DFA_Decision?)(EntityOptionSetEnum.GetEnum(this, "dfa_decision")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_decision", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_decisioncopy")]
- public virtual DFA_ProjectClaim_DFA_DecisionCopy? DFA_DecisionCopy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_ProjectClaim_DFA_DecisionCopy?)(EntityOptionSetEnum.GetEnum(this, "dfa_decisioncopy")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_decisioncopy", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_decisioncopyname")]
- public string DFA_DecisionCopyName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_decisioncopy"))
- {
- return this.FormattedValues["dfa_decisioncopy"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_decisionname")]
- public string DFA_DecisionName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_decision"))
- {
- return this.FormattedValues["dfa_decision"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_eaname")]
- public Microsoft.Xrm.Sdk.EntityReference DFA_EAName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_eaname");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_eaname", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_eanamename")]
- public string DFA_EANameName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_eaname"))
- {
- return this.FormattedValues["dfa_eaname"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_eanameyominame")]
- public string DFA_EANameYomiName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_eaname"))
- {
- return this.FormattedValues["dfa_eaname"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// The amount the LG/IGB is to be paid.
-///If this is an adjustable claim, then equal to the adjustable amount.
-///Else, it is equal to the total amount after deductibles.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_eligiblepayable")]
- public Microsoft.Xrm.Sdk.Money DFA_EligiblePayable
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_eligiblepayable");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_eligiblepayable", value);
- }
- }
-
- ///
- /// Value of the Eligible payable in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_eligiblepayable_base")]
- public Microsoft.Xrm.Sdk.Money DFA_EligiblePayable_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_eligiblepayable_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_eligiblerecoverypayableat90")]
- public Microsoft.Xrm.Sdk.Money DFA_EligibleRecoveryPayableAt90
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_eligiblerecoverypayableat90");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_eligiblerecoverypayableat90", value);
- }
- }
-
- ///
- /// Value of the Eligible recovery payable at 90% in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_eligiblerecoverypayableat90_base")]
- public Microsoft.Xrm.Sdk.Money DFA_EligibleRecoveryPayableAt90_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_eligiblerecoverypayableat90_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_employeenumber")]
- public string DFA_EmployeeNumber
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_employeenumber");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_employeenumber", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthority")]
- public System.Nullable DFA_ExpenseAuthority
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_expenseauthority");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_expenseauthority", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityadditionalinfore")]
- public System.Nullable DFA_ExpenseAuthorityAdditionalInForE
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_expenseauthorityadditionalinfore");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_expenseauthorityadditionalinfore", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityadditionalinforename")]
- public string DFA_ExpenseAuthorityAdditionalInForename
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_expenseauthorityadditionalinfore"))
- {
- return this.FormattedValues["dfa_expenseauthorityadditionalinfore"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthoritybluebookrates")]
- public System.Nullable DFA_ExpenseAuthorityBluebookRates
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_expenseauthoritybluebookrates");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_expenseauthoritybluebookrates", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthoritybluebookratesname")]
- public string DFA_ExpenseAuthorityBluebookRatesName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_expenseauthoritybluebookrates"))
- {
- return this.FormattedValues["dfa_expenseauthoritybluebookrates"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthoritycontracts")]
- public System.Nullable DFA_ExpenseAuthorityContracts
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_expenseauthoritycontracts");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_expenseauthoritycontracts", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthoritycontractsname")]
- public string DFA_ExpenseAuthorityContractsName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_expenseauthoritycontracts"))
- {
- return this.FormattedValues["dfa_expenseauthoritycontracts"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthoritygeneralledger")]
- public System.Nullable DFA_ExpenseAuthorityGeneralLedger
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_expenseauthoritygeneralledger");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_expenseauthoritygeneralledger", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthoritygeneralledgername")]
- public string DFA_ExpenseAuthorityGeneralLedgerName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_expenseauthoritygeneralledger"))
- {
- return this.FormattedValues["dfa_expenseauthoritygeneralledger"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityname")]
- public string DFA_ExpenseAuthorityName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_expenseauthority"))
- {
- return this.FormattedValues["dfa_expenseauthority"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityovertimewagedocumentation")]
- public System.Nullable DFA_ExpenseAuthorityOvertimeWageDocumentation
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_expenseauthorityovertimewagedocumentation");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_expenseauthorityovertimewagedocumentation", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityovertimewagedocumentationname")]
- public string DFA_ExpenseAuthorityOvertimeWageDocumentationName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_expenseauthorityovertimewagedocumentation"))
- {
- return this.FormattedValues["dfa_expenseauthorityovertimewagedocumentation"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityproofofpayment")]
- public System.Nullable DFA_ExpenseAuthorityProofOfPayment
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_expenseauthorityproofofpayment");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_expenseauthorityproofofpayment", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityproofofpaymentname")]
- public string DFA_ExpenseAuthorityProofOfPaymentName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_expenseauthorityproofofpayment"))
- {
- return this.FormattedValues["dfa_expenseauthorityproofofpayment"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityreviewedinvoice")]
- public System.Nullable DFA_ExpenseAuthorityReviewedInvoice
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_expenseauthorityreviewedinvoice");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_expenseauthorityreviewedinvoice", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_expenseauthorityreviewedinvoicename")]
- public string DFA_ExpenseAuthorityReviewedInvoiceName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_expenseauthorityreviewedinvoice"))
- {
- return this.FormattedValues["dfa_expenseauthorityreviewedinvoice"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Indicates if this is the last claim on the project that the governing body will be submitting.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_finalclaim")]
- public System.Nullable DFA_FinalClaim
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_finalclaim");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_finalclaim", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_finalclaimname")]
- public string DFA_FinalClaimName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_finalclaim"))
- {
- return this.FormattedValues["dfa_finalclaim"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_fundedby")]
- public virtual DFA_ProjectClaim_DFA_FundedBy? DFA_FundedBy
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_ProjectClaim_DFA_FundedBy?)(EntityOptionSetEnum.GetEnum(this, "dfa_fundedby")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_fundedby", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_fundedbyname")]
- public string DFA_FundedByName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_fundedby"))
- {
- return this.FormattedValues["dfa_fundedby"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_gst5")]
- public Microsoft.Xrm.Sdk.Money DFA_Gst5
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_gst5");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_gst5", value);
- }
- }
-
- ///
- /// Value of the GST 5% in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_gst5_base")]
- public Microsoft.Xrm.Sdk.Money DFA_Gst5_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_gst5_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_includedinadvancedpaymentcalculations")]
- public System.Nullable DFA_IncludedInAdvancedPaymentCalculations
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_includedinadvancedpaymentcalculations");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_includedinadvancedpaymentcalculations", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_includedinadvancedpaymentcalculationsname")]
- public string DFA_IncludedInAdvancedPaymentCalculationsName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_includedinadvancedpaymentcalculations"))
- {
- return this.FormattedValues["dfa_includedinadvancedpaymentcalculations"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_invoicechange")]
- public System.Nullable DFA_InvoiceChange
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_invoicechange");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_invoicechange", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_invoicechangename")]
- public string DFA_InvoiceChangeName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_invoicechange"))
- {
- return this.FormattedValues["dfa_invoicechange"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_invoicedate")]
- public System.Nullable DFA_InvoiceDate
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_invoicedate");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_invoicedate", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_invoicenumber")]
- public string DFA_InvoiceNumber
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_invoicenumber");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_invoicenumber", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_invoicetotal")]
- public Microsoft.Xrm.Sdk.Money DFA_InvoiceTotal
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_invoicetotal");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_invoicetotal", value);
- }
- }
-
- ///
- /// Value of the Invoice Total in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_invoicetotal_base")]
- public Microsoft.Xrm.Sdk.Money DFA_InvoiceTotal_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_invoicetotal_base");
- }
- }
-
- ///
- /// Indicates if it is a payment for the difference after a cost share recalculation.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_isadjustmentclaim")]
- public System.Nullable DFA_IsAdjustmentClaim
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_isadjustmentclaim");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_isadjustmentclaim", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_isadjustmentclaimname")]
- public string DFA_IsAdjustmentClaimName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_isadjustmentclaim"))
- {
- return this.FormattedValues["dfa_isadjustmentclaim"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// If it is the first approved claim, then the $1,000 deductible is applied.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_isfirstclaim")]
- public System.Nullable DFA_IsFirstClaim
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_isfirstclaim");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_isfirstclaim", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_isfirstclaimname")]
- public string DFA_IsFirstClaimName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_isfirstclaim"))
- {
- return this.FormattedValues["dfa_isfirstclaim"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_lastcodingblocksubmissionerror")]
- public string DFA_LastCodingBlockSubmissionError
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_lastcodingblocksubmissionerror");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_lastcodingblocksubmissionerror", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_lessfirst1000")]
- public Microsoft.Xrm.Sdk.Money DFA_LessFirst1000
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_lessfirst1000");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_lessfirst1000", value);
- }
- }
-
- ///
- /// Value of the Less first $1,000 in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_lessfirst1000_base")]
- public Microsoft.Xrm.Sdk.Money DFA_LessFirst1000_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_lessfirst1000_base");
- }
- }
-
- ///
- /// An incremental number assigned to the claim in the portal.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_name")]
- public string DFA_Name
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_name");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_name", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_onetimedeductionamount")]
- public Microsoft.Xrm.Sdk.Money DFA_OnetimeDeductionAmount
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_onetimedeductionamount");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_onetimedeductionamount", value);
- }
- }
-
- ///
- /// Value of the One time Deduction Amount in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_onetimedeductionamount_base")]
- public Microsoft.Xrm.Sdk.Money DFA_OnetimeDeductionAmount_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_onetimedeductionamount_base");
- }
- }
-
- ///
- /// The actual amount paid to the governing body.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_paidclaimamount")]
- public Microsoft.Xrm.Sdk.Money DFA_PaidClaimAmount
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_paidclaimamount");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_paidclaimamount", value);
- }
- }
-
- ///
- /// Value of the Paid claim amount in base currency.
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_paidclaimamount_base")]
- public Microsoft.Xrm.Sdk.Money DFA_PaidClaimAmount_Base
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_paidclaimamount_base");
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_paygrouptype")]
- public virtual DFA_PayGroup? DFA_PayGroupType
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return ((DFA_PayGroup?)(EntityOptionSetEnum.GetEnum(this, "dfa_paygrouptype")));
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_paygrouptype", value.HasValue ? new Microsoft.Xrm.Sdk.OptionSetValue((int)value) : null);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_paygrouptypename")]
- public string DFA_PayGroupTypeName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_paygrouptype"))
- {
- return this.FormattedValues["dfa_paygrouptype"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_paymentadvicecomments")]
- public string DFA_PaymentAdviceComments
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_paymentadvicecomments");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_paymentadvicecomments", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_portalsubmitted")]
- public System.Nullable DFA_PortalSubmitted
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_portalsubmitted");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_portalsubmitted", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_portalsubmittedname")]
- public string DFA_PortalSubmittedName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_portalsubmitted"))
- {
- return this.FormattedValues["dfa_portalsubmitted"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- ///
- /// Unique identifier for entity instances
- ///
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_projectclaimid")]
- public System.Nullable DFA_ProjectClaimId
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_projectclaimid");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_projectclaimid", value);
- if (value.HasValue)
- {
- base.Id = value.Value;
- }
- else
- {
- base.Id = System.Guid.Empty;
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_projectclaimid")]
- public override System.Guid Id
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return base.Id;
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.DFA_ProjectClaimId = value;
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_projectnumber")]
- public Microsoft.Xrm.Sdk.EntityReference DFA_ProjectNumber
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_projectnumber");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_projectnumber", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_projectnumbername")]
- public string DFA_ProjectNumberName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_projectnumber"))
- {
- return this.FormattedValues["dfa_projectnumber"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_projectstatusreportid")]
- public Microsoft.Xrm.Sdk.EntityReference DFA_ProjectStatusReportId
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_projectstatusreportid");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_projectstatusreportid", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_projectstatusreportidname")]
- public string DFA_ProjectStatusReportIdName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_projectstatusreportid"))
- {
- return this.FormattedValues["dfa_projectstatusreportid"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_purpose")]
- public string DFA_Purpose
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_purpose");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_purpose", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceiver")]
- public Microsoft.Xrm.Sdk.EntityReference DFA_QualifiedReceiver
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue("dfa_qualifiedreceiver");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_qualifiedreceiver", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceiveradditionalinfore")]
- public System.Nullable DFA_QualifiedReceiverAdditionalInForE
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_qualifiedreceiveradditionalinfore");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_qualifiedreceiveradditionalinfore", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceiveradditionalinforename")]
- public string DFA_QualifiedReceiverAdditionalInForename
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_qualifiedreceiveradditionalinfore"))
- {
- return this.FormattedValues["dfa_qualifiedreceiveradditionalinfore"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceiverbluebookrates")]
- public System.Nullable DFA_QualifiedReceiverBluebookRates
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_qualifiedreceiverbluebookrates");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_qualifiedreceiverbluebookrates", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceiverbluebookratesname")]
- public string DFA_QualifiedReceiverBluebookRatesName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_qualifiedreceiverbluebookrates"))
- {
- return this.FormattedValues["dfa_qualifiedreceiverbluebookrates"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceivercontracts")]
- public System.Nullable DFA_QualifiedReceiverContracts
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_qualifiedreceivercontracts");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_qualifiedreceivercontracts", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceivercontractsname")]
- public string DFA_QualifiedReceiverContractsName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_qualifiedreceivercontracts"))
- {
- return this.FormattedValues["dfa_qualifiedreceivercontracts"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceivergeneralledger")]
- public System.Nullable DFA_QualifiedReceiverGeneralLedger
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_qualifiedreceivergeneralledger");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_qualifiedreceivergeneralledger", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceivergeneralledgername")]
- public string DFA_QualifiedReceiverGeneralLedgerName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_qualifiedreceivergeneralledger"))
- {
- return this.FormattedValues["dfa_qualifiedreceivergeneralledger"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceivername")]
- public string DFA_QualifiedReceiverName
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_qualifiedreceiver"))
- {
- return this.FormattedValues["dfa_qualifiedreceiver"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceiverovertimewagedocumentatio")]
- public System.Nullable DFA_QualifiedReceiverOvertimeWageDocumentAtIo
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- return this.GetAttributeValue>("dfa_qualifiedreceiverovertimewagedocumentatio");
- }
- [System.Diagnostics.DebuggerNonUserCode()]
- set
- {
- this.SetAttributeValue("dfa_qualifiedreceiverovertimewagedocumentatio", value);
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceiverovertimewagedocumentationame")]
- public string DFA_QualifiedReceiverOvertimeWageDocumentationAmE
- {
- [System.Diagnostics.DebuggerNonUserCode()]
- get
- {
- if (this.FormattedValues.Contains("dfa_qualifiedreceiverovertimewagedocumentatio"))
- {
- return this.FormattedValues["dfa_qualifiedreceiverovertimewagedocumentatio"];
- }
- else
- {
- return default(string);
- }
- }
- }
-
- [Microsoft.Xrm.Sdk.AttributeLogicalNameAttribute("dfa_qualifiedreceiverproofofpayment")]
- public System.Nullable